<!DOCTYPE html> <html id="page_1" lang="cs"><script type="text/javascript">( function () { try { (function injectPageScriptAPI(scriptName, shouldOverrideWebSocket, shouldOverrideWebRTC, isInjected) { // jshint ignore:line 'use strict'; /** * If script have been injected into a frame via contentWindow then we can simply take the copy of messageChannel left for us by parent document * Otherwise creates new message channel that sends a message to the content-script to check if request should be allowed or not. */ var messageChannel = isInjected ? window[scriptName] : (function () { // Save original postMessage and addEventListener functions to prevent webpage from tampering both. var postMessage = window.postMessage; var addEventListener = window.addEventListener; // Current request ID (incremented every time we send a new message) var currentRequestId = 0; var requestsMap = {}; /** * Handles messages sent from the content script back to the page script. * * @param event Event with necessary data */ var onMessageReceived = function (event) { if (!event.data || !event.data.direction || event.data.direction !== "to-page-script@adguard") { return; } var requestData = requestsMap[event.data.requestId]; if (requestData) { var wrapper = requestData.wrapper; requestData.onResponseReceived(wrapper, event.data.block); delete requestsMap[event.data.requestId]; } }; /** * @param url The URL to which wrapped object is willing to connect * @param requestType Request type ( WEBSOCKET or WEBRTC) * @param wrapper WebSocket wrapper instance * @param onResponseReceived Called when response is received */ var sendMessage = function (url, requestType, wrapper, onResponseReceived) { if (currentRequestId === 0) { // Subscribe to response when this method is called for the first time addEventListener.call(window, "message", onMessageReceived, false); } var requestId = ++currentRequestId; requestsMap[requestId] = { wrapper: wrapper, onResponseReceived: onResponseReceived }; var message = { requestId: requestId, direction: 'from-page-script@adguard', elementUrl: url, documentUrl: document.URL, requestType: requestType }; // Send a message to the background page to check if the request should be blocked postMessage.call(window, message, "*"); }; return { sendMessage: sendMessage }; })(); /* * In some case Chrome won't run content scripts inside frames. * So we have to intercept access to contentWindow/contentDocument and manually inject wrapper script into this context * * Based on: https://github.com/adblockplus/adblockpluschrome/commit/1aabfb3346dc0821c52dd9e97f7d61b8c99cd707 */ var injectedToString = Function.prototype.toString.bind(injectPageScriptAPI); var injectedFramesAdd; var injectedFramesHas; if (window.WeakSet instanceof Function) { var injectedFrames = new WeakSet(); injectedFramesAdd = WeakSet.prototype.add.bind(injectedFrames); injectedFramesHas = WeakSet.prototype.has.bind(injectedFrames); } else { var frames = []; injectedFramesAdd = function (el) { if (frames.indexOf(el) < 0) { frames.push(el); } }; injectedFramesHas = function (el) { return frames.indexOf(el) >= 0; }; } /** * Injects wrapper's script into passed window * @param contentWindow Frame's content window */ function injectPageScriptAPIInWindow(contentWindow) { try { if (contentWindow && !injectedFramesHas(contentWindow)) { injectedFramesAdd(contentWindow); contentWindow[scriptName] = messageChannel; // Left message channel for the injected script var args = "'" + scriptName + "', " + shouldOverrideWebSocket + ", " + shouldOverrideWebRTC + ", true"; contentWindow.eval("(" + injectedToString() + ")(" + args + ");"); delete contentWindow[scriptName]; } } catch (e) { } } /** * Overrides access to contentWindow/contentDocument for the passed HTML element's interface (iframe, frame, object) * If the content of one of these objects is requested we will inject our wrapper script. * @param iface HTML element's interface */ function overrideContentAccess(iface) { var contentWindowDescriptor = Object.getOwnPropertyDescriptor(iface.prototype, "contentWindow"); var contentDocumentDescriptor = Object.getOwnPropertyDescriptor(iface.prototype, "contentDocument"); // Apparently in HTMLObjectElement.prototype.contentWindow does not exist // in older versions of Chrome such as 42. if (!contentWindowDescriptor) { return; } var getContentWindow = Function.prototype.call.bind(contentWindowDescriptor.get); var getContentDocument = Function.prototype.call.bind(contentDocumentDescriptor.get); contentWindowDescriptor.get = function () { var contentWindow = getContentWindow(this); injectPageScriptAPIInWindow(contentWindow); return contentWindow; }; contentDocumentDescriptor.get = function () { injectPageScriptAPIInWindow(getContentWindow(this)); return getContentDocument(this); }; Object.defineProperty(iface.prototype, "contentWindow", contentWindowDescriptor); Object.defineProperty(iface.prototype, "contentDocument", contentDocumentDescriptor); } var interfaces = [HTMLFrameElement, HTMLIFrameElement, HTMLObjectElement]; for (var i = 0; i < interfaces.length; i++) { overrideContentAccess(interfaces[i]); } /** * Defines properties in destination object * @param src Source object * @param dest Destination object * @param properties Properties to copy */ var copyProperties = function (src, dest, properties) { for (var i = 0; i < properties.length; i++) { var prop = properties[i]; var descriptor = Object.getOwnPropertyDescriptor(src, prop); // Passed property may be undefined if (descriptor) { Object.defineProperty(dest, prop, descriptor); } } }; /** * Check request by sending message to content script * @param url URL to block * @param type Request type * @param callback Result callback */ var checkRequest = function (url, type, callback) { messageChannel.sendMessage(url, type, this, function (wrapper, blockConnection) { callback(blockConnection); }); }; /** * The function overrides window.WebSocket with our wrapper, that will check url with filters through messaging with content-script. * * IMPORTANT NOTE: * This function is first loaded as a content script. The only purpose of it is to call * the "toString" method and use resulting string as a text content for injected script. */ var overrideWebSocket = function () { // jshint ignore:line if (!(window.WebSocket instanceof Function)) { return; } /** * WebSocket wrapper implementation. * https://github.com/AdguardTeam/AdguardBrowserExtension/issues/349 * * Based on: * https://github.com/adblockplus/adblockpluschrome/commit/457a336ee55a433217c3ffe5d363e5c6980f26f4 */ /** * As far as possible we must track everything we use that could be sabotaged by the website later in order to circumvent us. */ var RealWebSocket = WebSocket; var closeWebSocket = Function.prototype.call.bind(RealWebSocket.prototype.close); function WrappedWebSocket(url, protocols) { // Throw correct exceptions if the constructor is used improperly. if (!(this instanceof WrappedWebSocket)) { return RealWebSocket(); } if (arguments.length < 1) { return new RealWebSocket(); } var websocket = new RealWebSocket(url, protocols); // This is the key point: checking if this WS should be blocked or not // Don't forget that the type of 'websocket.url' is String, but 'url 'parameter might have another type. checkRequest(websocket.url, 'WEBSOCKET', function (blocked) { if (blocked) { closeWebSocket(websocket); } }); return websocket; } // https://github.com/AdguardTeam/AdguardBrowserExtension/issues/488 WrappedWebSocket.prototype = RealWebSocket.prototype; window.WebSocket = WrappedWebSocket.bind(); copyProperties(RealWebSocket, WebSocket, ["CONNECTING", "OPEN", "CLOSING", "CLOSED", "name", "prototype"]); RealWebSocket.prototype.constructor = WebSocket; }; /** * The function overrides window.RTCPeerConnection with our wrapper, that will check ice servers URLs with filters through messaging with content-script. * * IMPORTANT NOTE: * This function is first loaded as a content script. The only purpose of it is to call * the "toString" method and use resulting string as a text content for injected script. */ var overrideWebRTC = function () { // jshint ignore:line if (!(window.RTCPeerConnection instanceof Function) && !(window.webkitRTCPeerConnection instanceof Function)) { return; } /** * RTCPeerConnection wrapper implementation. * https://github.com/AdguardTeam/AdguardBrowserExtension/issues/588 * * Based on: * https://github.com/adblockplus/adblockpluschrome/commit/af0585137be19011eace1cf68bf61eed2e6db974 * * Chromium webRequest API doesn't allow the blocking of WebRTC connections * https://bugs.chromium.org/p/chromium/issues/detail?id=707683 */ var RealRTCPeerConnection = window.RTCPeerConnection || window.webkitRTCPeerConnection; var closeRTCPeerConnection = Function.prototype.call.bind(RealRTCPeerConnection.prototype.close); var RealArray = Array; var RealString = String; var createObject = Object.create; var defineProperty = Object.defineProperty; /** * Convert passed url to string * @param url URL * @returns {string} */ function urlToString(url) { if (typeof url !== "undefined") { return RealString(url); } } /** * Creates new immutable array from original with some transform function * @param original * @param transform * @returns {*} */ function safeCopyArray(original, transform) { if (original === null || typeof original !== "object") { return original; } var immutable = RealArray(original.length); for (var i = 0; i < immutable.length; i++) { defineProperty(immutable, i, { configurable: false, enumerable: false, writable: false, value: transform(original[i]) }); } defineProperty(immutable, "length", { configurable: false, enumerable: false, writable: false, value: immutable.length }); return immutable; } /** * Protect configuration from mutations * @param configuration RTCPeerConnection configuration object * @returns {*} */ function protectConfiguration(configuration) { if (configuration === null || typeof configuration !== "object") { return configuration; } var iceServers = safeCopyArray( configuration.iceServers, function (iceServer) { var url = iceServer.url; var urls = iceServer.urls; // RTCPeerConnection doesn't iterate through pseudo Arrays of urls. if (typeof urls !== "undefined" && !(urls instanceof RealArray)) { urls = [urls]; } return createObject(iceServer, { url: { configurable: false, enumerable: false, writable: false, value: urlToString(url) }, urls: { configurable: false, enumerable: false, writable: false, value: safeCopyArray(urls, urlToString) } }); } ); return createObject(configuration, { iceServers: { configurable: false, enumerable: false, writable: false, value: iceServers } }); } /** * Check WebRTC connection's URL and close if it's blocked by rule * @param connection Connection * @param url URL to check */ function checkWebRTCRequest(connection, url) { checkRequest(url, 'WEBRTC', function (blocked) { if (blocked) { try { closeRTCPeerConnection(connection); } catch (e) { // Ignore exceptions } } }); } /** * Check each URL of ice server in configuration for blocking. * * @param connection RTCPeerConnection * @param configuration Configuration for RTCPeerConnection * https://developer.mozilla.org/en-US/docs/Web/API/RTCConfiguration */ function checkConfiguration(connection, configuration) { if (!configuration || !configuration.iceServers) { return; } var iceServers = configuration.iceServers; for (var i = 0; i < iceServers.length; i++) { var iceServer = iceServers[i]; if (!iceServer) { continue; } if (iceServer.url) { checkWebRTCRequest(connection, iceServer.url); } if (iceServer.urls) { for (var j = 0; j < iceServer.urls.length; j++) { checkWebRTCRequest(connection, iceServer.urls[j]); } } } } /** * Overrides setConfiguration method * https://developer.mozilla.org/en-US/docs/Web/API/RTCPeerConnection/setConfiguration */ if (RealRTCPeerConnection.prototype.setConfiguration) { var realSetConfiguration = Function.prototype.call.bind(RealRTCPeerConnection.prototype.setConfiguration); RealRTCPeerConnection.prototype.setConfiguration = function (configuration) { configuration = protectConfiguration(configuration); // Call the real method first, so that validates the configuration realSetConfiguration(this, configuration); checkConfiguration(this, configuration); }; } function WrappedRTCPeerConnection(configuration, arg) { if (!(this instanceof WrappedRTCPeerConnection)) { return RealRTCPeerConnection(); } configuration = protectConfiguration(configuration); /** * The old webkitRTCPeerConnection constructor takes an optional second argument and we must pass it. */ var connection = new RealRTCPeerConnection(configuration, arg); checkConfiguration(connection, configuration); return connection; } WrappedRTCPeerConnection.prototype = RealRTCPeerConnection.prototype; var boundWrappedRTCPeerConnection = WrappedRTCPeerConnection.bind(); copyProperties(RealRTCPeerConnection, boundWrappedRTCPeerConnection, ["caller", "generateCertificate", "name", "prototype"]); RealRTCPeerConnection.prototype.constructor = boundWrappedRTCPeerConnection; if ("RTCPeerConnection" in window) { window.RTCPeerConnection = boundWrappedRTCPeerConnection; } if ("webkitRTCPeerConnection" in window) { window.webkitRTCPeerConnection = boundWrappedRTCPeerConnection; } }; if (shouldOverrideWebSocket) { overrideWebSocket(); } if (shouldOverrideWebRTC) { overrideWebRTC(); } })('wrapper-script-5565953081903579', false, true); } catch (ex) { console.error('Error executing AG js: ' + ex); } })(); (function () { var current = document.currentScript; var parent = current && current.parentNode; if (parent) { parent.removeChild(current); } })();</script><head> <!--Latest IE Compatibility--> <meta http-equiv="X-UA-Compatible" content="IE=Edge"> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <meta name="generator" content="Tiki Wiki CMS Groupware - https://tiki.org"> <meta content="http://news.e-republika.cz/" name="twitter:domain"> <link rel="canonical" href="http://news.e-republika.cz/HomePage"> <meta content="http://news.e-republika.cz/HomePage" property="og:url"> <meta name="keywords" content="zpravodajství, komentáře, zábava "> <meta name="description" content="Home" property="og:description"> <meta name="twitter:description" content="Home"> <meta name="robots" content="INDEX"> <meta name="revisit-after" content="1"> <meta content="E-republika" property="og:site_name"> <meta content="E-republika" name="twitter:site"> <title>E-republika | HomePage</title> <meta content="E-republika | HomePage" property="og:title"> <meta content="E-republika | HomePage" name="twitter:title"> <meta content="website" property="og:type"> <meta name="twitter:card" content="summary"> <meta content="" name="twitter:image"> <link rel="alternate" type="application/rss+xml" title="E-republika RSS pro články" href="http://news.e-republika.cz/tiki-articles_rss.php?ver=2"> <link rel="alternate" type="application/rss+xml" title="E-republika: Krátké zprávy - Zprávy_jednou_větou" href="http://news.e-republika.cz/tiki-tracker_rss.php?ver=2&amp;trackerId=14"> <!--[if lt IE 9]> <script src="vendor_bundled/vendor/afarkas/html5shiv/dist/html5shiv.min.js" type="text/javascript"></script> <![endif]--> <meta name="msapplication-config" content="themes/base_files/favicons/browserconfig.xml"> <link rel="icon" href="http://news.e-republika.cz/themes/base_files/favicons/favicon-16x16.png" sizes="16x16" type="image/png"> <link rel="apple-touch-icon" href="http://news.e-republika.cz/themes/base_files/favicons/apple-touch-icon.png" sizes="180x180"> <link rel="icon" href="http://news.e-republika.cz/themes/base_files/favicons/favicon-32x32.png" sizes="32x32" type="image/png"> <link rel="manifest" href="http://news.e-republika.cz/themes/base_files/favicons/manifest.json"> <link rel="shortcut icon" href="http://news.e-republika.cz/themes/base_files/favicons/favicon.ico"> <link rel="mask-icon" href="http://news.e-republika.cz/themes/base_files/favicons/safari-pinned-tab.svg" color="#5bbad5"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/tiki_base.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/font-awesome.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/utopias.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/style.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/jquery-ui.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/jquery-ui-timepicker-addon.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/colorbox.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/jquery.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/anythingslider.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-construction.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-cs-portfolio.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-metallic.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-minimalist-round.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-minimalist-square.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-default1.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-default2.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-mini-dark.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-mini-light.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-office.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-polished.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-ribbon.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-shiny.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-simple.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-tabs-dark.css" type="text/css"> <link rel="stylesheet" href="E-republika%20|%20HomePage_files/theme-tabs-light.css" type="text/css"> <style type="text/css"><!-- /* css 0 */ @media (min-width: 1200px) { .container { width:1000px; } } .ui-autocomplete-loading { background: white url("img/spinner.gif") right center no-repeat; } --> </style> <!--[if IE 8]> <link rel="stylesheet" href="themes/base_files/feature_css/ie8.css" type="text/css"> <![endif]--> <!--[if IE 9]> <link rel="stylesheet" href="themes/base_files/feature_css/ie9.css" type="text/css"> <![endif]--> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <style id="zoompage-zoomlevel-style" type="text/css"></style></head> <body class=" tiki tiki-index tiki_wiki_page fixed_width layout_header_middle_footer_containers_3-6-3 homepage cs"> <div id="ajaxLoading">Loading...</div> <div id="ajaxLoadingBG">&nbsp;</div> <div id="ajaxDebug"></div> <div class="header_outer" id="header_outer"> <div class="header_container"> <div class="container"> <header class="header page-header" id="page-header"> <div class="content clearfix modules row top_modules" id="top_modules"> <div id="module_2" style="" class="module box-logo"> <div id="mod-logotop1" class=""> <div class="pull-left sitelogo"><a href="http://news.e-republika.cz/" title="Nezávislý zpravodajský server"><img src="E-republika%20|%20HomePage_files/T-logo.png" alt="Hlavní strana" style="max-width: 100%; height: auto"></a></div> </div> </div> <div id="module_80" style="" class="module box-Podpo%C5%99te+n%C3%A1s"> <div id="mod-Podpo%C5%99te_n%C3%A1stop2" class=""> <div id="Podpořte_nás" style="display:block;"> <p><a class="wiki external" target="_blank" href="https://e-republika.cz/login" rel="external"><strong>Přihlásit</strong></a> | <a class="wiki" href="http://news.e-republika.cz/tiki-register.php" rel=""><strong>Registrace</strong> </a> | <a href="http://news.e-republika.cz/Archiv%2BISSN" title="Archiv ISSN" class="wiki wiki_page"><strong>Hledat</strong></a> | </p> <p><a class="wiki external" target="_blank" href="http://news.e-republika.cz/Fundraising+a+pomoc+webu+e-republika.cz" rel="external"><strong>Podpořte nás: </strong></a><a class="wiki external" target="_blank" href="http://news.e-republika.cz/upoutavka%20abonent" rel="external">č.ú. 2200748047/2010</a> <br> <span style="color:red"><strong>Stav účtu najdete <a class="wiki external" target="_blank" href="https://www.fio.cz/ib2/transparent?a=2200748047" rel="external">kliknutím zde</a>.</strong></span> </p> </div> </div> </div> <div id="module_81" style="" class="module box-Finance-graf"> <div id="mod-Finance-graftop3" class=""> <div id="Finance-graf" style="display:block;"> </div> </div> </div> </div> </header> </div> </div> </div> <div class="middle_outer" id="middle_outer"> <div class="container clearfix middle" id="middle"> <div class="topbar row" id="topbar"> <div class="content clearfix modules" id="topbar_modules"> <div id="module_7" style="" class="module box-menu"> <div id="mod-menutopbar1" class=""> <nav class="navbar navbar-default" role="navigation"> <div class="navbar-header"> <button type="button" class="navbar-toggle" data-toggle="collapse" data-target="#mod-menutopbar1 .navbar-collapse"> <span class="sr-only">Toggle navigation</span> <span class="icon-bar"></span> <span class="icon-bar"></span> <span class="icon-bar"></span> </button> </div> <div class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li class=""><a href="http://news.e-republika.cz/index.php">Úvod</a></li> <li class=""><a href="http://news.e-republika.cz/Zpravodajstv%25C3%25AD">Události a názory</a></li> <li class=""><a href="http://news.e-republika.cz/Kultura">Kultura</a></li> <li class=""><a href="http://news.e-republika.cz/Komunity">Komunity</a></li> <li class=""><a href="http://news.e-republika.cz/Blogy">Blogy</a></li> <li class=""><a href="http://news.e-republika.cz/upoutavka%20abonent">Podpořte nás</a></li> </ul> </div> </nav> </div> </div> </div> </div> <div class="row" id="row-middle"> <div class="col-md-12 col1" id="col1"> <div id="tikifeedback"> </div> <div class="wikitopline clearfix" style="clear: both;"> <div class="content"> <div class="wikiinfo pull-left"> </div> </div> </div> <div class="wikiactions_wrapper clearfix"> <div class="wikiactions icons btn-group pull-right"> <div class="btn-group"> </div> </div> </div> <article id="top" class="wikitext clearfix nopagetitle"> <div id="page-data" class="clearfix"> <div class="table-responsive"><div><table class="table normalnoborder"><tbody><tr><td width="55%"> <div> <div id="module_wikiplugin_1" class="panel panel-default box-A-H-newsline-N module" style="max-width:100%"> <div class="panel-heading"> </div> <div id="mod-A-H-newsline-N_wp_1" style="display: block;" class="clearfix panel-body"> <div id="A-H-newsline-N" style="display:block;"> <article class="clearfix article media media-overflow-visible wikiplugin_articles article0"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article4001-Dv%C4%9B-ztracena-desetileti-To-je-Italie-po-volbach-2018" class="" data-type="article" data-object="4001">Dvě ztracená desetiletí. To je Itálie po volbách 2018</a> </h2> <span class="titleb"> <span class="author"> Autor: Květa Pohlhammer Lauterbachová </span> - <span class="pubdate"> Zveřejněno 15.03.2018&nbsp;18:35 </span> - <span class="reads"> (1303&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:57px"> <a href="http://news.e-republika.cz/dl4896?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4896.png" style="float:left;" alt="VolbyItálie2018" class="regImage img-responsive pluginImg4896" width="80" height="55"> </a> </div> Socialisté se dali cestou prosazování zájmů neoliberálních elit. Tímto následují rakouské i německé socialisty a směřují podobně jako Zelení do propadliště dějin. A řecký model nejde naordinovat Itálii, poněvadž to by byl konec eura a tím i konec celého evropského projektu. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article4001-Dv%C4%9B-ztracena-desetileti-To-je-Italie-po-volbach-2018" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article4001?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article1"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article4000-Jiskry-fa%C5%A1ismu" class="" data-type="article" data-object="4000">Jiskry fašismu</a> </h2> <span class="titleb"> <span class="author"> Autor: Pavel Letko </span> - <span class="pubdate"> Zveřejněno 15.03.2018&nbsp;18:02 </span> - <span class="reads"> (2427&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:61px; height:82px"> <a href="http://news.e-republika.cz/dl4612?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4612.jpeg" style="float:left;" alt="Pavel Letko" class="regImage img-responsive pluginImg4612" width="59" height="80"> </a> </div> Naše děti jsou v dobrých rukou a my starší budeme také. Budeme se na ně moci spolehnout. Na ně a na americké zbraně, které budeme stále hojněji nakupovat. Beze zbraní není války, to dá rozum. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article4000-Jiskry-fa%C5%A1ismu" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article4000?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article2"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3999-Rakovina-mne-je%C5%A1t%C4%9B-nedostala" class="" data-type="article" data-object="3999">Rakovina mne ještě nedostala</a> </h2> <span class="titleb"> <span class="author"> Autor: Květa Pohlhammer Lauterbachová </span> - <span class="pubdate"> Zveřejněno 13.03.2018&nbsp;21:55 </span> - <span class="reads"> (2028&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:54px"> <a href="http://news.e-republika.cz/dl4885?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4885.jpeg" style="float:left;" alt="Graf" class="regImage img-responsive pluginImg4885" width="80" height="52"> </a> </div> Rakovinou onemocní ročně stále víc lidí, stačí se podívat na statistiku, do které patřím nyní i já. Není to děs? A systém požírá a vyžaduje stále více peněz. Financializace zdravotnictví je pohromou. To má pan doktor Erben naprostou pravdu. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3999-Rakovina-mne-je%C5%A1t%C4%9B-nedostala" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3999?show_comzone=y#comments" class="highlight"> 4&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article3"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3998-Kam-s-%C4%8Ceskou-televizi" class="" data-type="article" data-object="3998">Kam s Českou televizí</a> </h2> <span class="titleb"> <span class="author"> Autor: Pavel Letko </span> - <span class="pubdate"> Zveřejněno 12.03.2018&nbsp;17:00 </span> - <span class="reads"> (2014&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:61px; height:82px"> <a href="http://news.e-republika.cz/dl4612?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4612.jpeg" style="float:left;" alt="Pavel Letko" class="regImage img-responsive pluginImg4612" width="59" height="80"> </a> </div> Republiku si předsedou vlády, prezidentem, ani většinou poslanců v Poslanecké sněmovně rozhodně rozvracet nedáme. Naše demokracie totiž nestojí na obvyklých pilířích moci – tradičně na moci zákonodárné, výkonné a soudní, ale stojí i na moci mediální. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3998-Kam-s-%C4%8Ceskou-televizi" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3998?show_comzone=y#comments" class="highlight"> 1 </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article4"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3997-Dopis-sester-trapistek-ze-Syrie" class="" data-type="article" data-object="3997">Dopis sester trapistek ze Sýrie</a> </h2> <span class="titleb"> <span class="author"> Autor: Sestry trapistky v Sýrii </span> - <span class="pubdate"> Zveřejněno 11.03.2018&nbsp;20:46 </span> - <span class="reads"> (1792&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:52px"> <a href="http://news.e-republika.cz/dl4884?display" class="internal" data-box="box[g]" title="Trapistky v Sýrii"> <img src="E-republika%20|%20HomePage_files/dl4884.jpeg" style="float:left;" alt="Trapistky" class="regImage img-responsive pluginImg4884" title="Trapistky v Sýrii" width="80" height="50"> </a> </div> Osvoboď nás, Pane, od války. A osvoboď nás od zlého tisku. A to s veškerou úctou k novinářům, kteří se skutečně snaží pochopit situaci a také svět pravdivě informují. A ti se jistě nebudou zlobit kvůli tomu, co Vám píšeme. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3997-Dopis-sester-trapistek-ze-Syrie" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3997?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article5"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3994-Boj-novodobych-cenzor%C5%AF-za-svobodu-slova" class="" data-type="article" data-object="3994">Boj novodobých cenzorů za svobodu slova</a> </h2> <span class="titleb"> <span class="author"> Autor: Stanislav Blaha </span> - <span class="pubdate"> Zveřejněno 10.03.2018&nbsp;20:22 </span> - <span class="reads"> (2035&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:74px; height:82px"> <a href="http://news.e-republika.cz/dl4627?display" class="internal" data-box="box[g]" title="Stanislav Blaha/kresba A.F."> <img src="E-republika%20|%20HomePage_files/dl4627.jpeg" style="float:left;" alt="Stanislav Blaha" class="regImage img-responsive pluginImg4627" title="Stanislav Blaha/kresba A.F." width="72" height="80"> </a> </div> Dřív se tomuhle jevu říkalo šuškanda. Šířila se ústním podáním po hospodách, kavárnách a soukromých večírcích. A dokonce už i komunisti v 80. letech měli dost rozumu na to, aby kvůli tomu nikoho netahali po výsleších a soudech. Pak, po téměř 30 letech, přišla móda “fake news” a česká policie prověřuje seniora, který v soukromých e-mailech psal nehezké věci o prezidentském kandidátovi Drahošovi. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3994-Boj-novodobych-cenzor%C5%AF-za-svobodu-slova" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3994?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article6"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3995-MD%C5%BD-anti-feministicky-svatek-%C5%BEen" class="" data-type="article" data-object="3995">MDŽ, anti-feministický svátek žen</a> </h2> <span class="titleb"> <span class="author"> Autor: Václav Umlauf </span> - <span class="pubdate"> Zveřejněno 08.03.2018&nbsp;21:09 </span> - <span class="reads"> (2022&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:71px; height:82px"> <a href="http://news.e-republika.cz/dl4357?display" class="internal" data-box="box[g]" title="Odbory New Yorských přadlen"> <img src="E-republika%20|%20HomePage_files/dl4357.jpeg" style="float:left;" alt="LGU" class="regImage img-responsive pluginImg4357" title="Odbory New Yorských přadlen" width="69" height="80"> </a> </div> Proč se o tomto svátku dnes neoliberálně mlčí? I dnes platí zásadní rozdíl, který tehdy postavila marxistická levice proti sociálně-demokratickým feministkám: feminismus chce právní reformy, marxismus chce sociální revoluce. <hr> <p> </p> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3995-MD%C5%BD-anti-feministicky-svatek-%C5%BEen" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3995?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article7"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3993-Jak-nam-zabili-EU-Fake-News" class="" data-type="article" data-object="3993">Jak nám zabili EU (Fake News)</a> </h2> <span class="titleb"> <span class="author"> Autor: Václav Umlauf </span> - <span class="pubdate"> Zveřejněno 06.03.2018&nbsp;14:33 </span> - <span class="reads"> (2641&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:70px"> <a href="http://news.e-republika.cz/dl4882?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4882.jpeg" style="float:left;" alt="Svejk" class="regImage img-responsive pluginImg4882" width="80" height="68"> </a> </div> Tak nám zabili EU,” řekla paní Müllerová v domácnosti pana Švejka. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3993-Jak-nam-zabili-EU-Fake-News" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3993?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article8"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3992-Ghuta-je-nejd%C5%AFle%C5%BEit%C4%9Bj%C5%A1i-bitva-pro-Syrii-a-Rusko-Co-bude-dal" class="" data-type="article" data-object="3992">Ghúta je nejdůležitější bitva pro Sýrii a Rusko. Co bude dál?</a> </h2> <span class="titleb"> <span class="author"> Autor: Elijah J. Magnier </span> - <span class="pubdate"> Zveřejněno 05.03.2018&nbsp;09:55 </span> - <span class="reads"> (4028&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:51px"> <a href="http://news.e-republika.cz/dl4880?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4880.jpeg" style="float:left;" alt="Alawite 3490427b" class="regImage img-responsive pluginImg4880" width="80" height="49"> </a> </div> Jedna věc je jistá: jednostranná dominantní vláda USA na Blízkém Východě skončila, a to bez ohledu na výsledek války v Sýrii. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3992-Ghuta-je-nejd%C5%AFle%C5%BEit%C4%9Bj%C5%A1i-bitva-pro-Syrii-a-Rusko-Co-bude-dal" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3992?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article9"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3991-Hrozive-ml%C4%8Deni-zapadnich-prodejnych-medii-na-Putin%C5%AFv-projev-v-ruske-Dum%C4%9B" class="" data-type="article" data-object="3991">Hrozivé mlčení západních prodejných médií na Putinův projev v ruské Dumě</a> </h2> <span class="titleb"> <span class="author"> Autor: Václav Umlauf </span> - <span class="pubdate"> Zveřejněno 02.03.2018&nbsp;20:50 </span> - <span class="reads"> (5986&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:82px; height:78px"> <a href="http://news.e-republika.cz/dl4606?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4606.jpeg" style="float:left;" alt="Vaclav Umlauf" class="regImage img-responsive pluginImg4606" width="80" height="76"> </a> </div> USA prohrály další kolo zbrojení a teroristicky okopávají Rusku kotníky. EU hledí na mírovou iniciativu Putina a na jeho nové zbraně jak tele na nová vrata. Evropa se musí rozhodnout, zda chce válku s Ruskem za zájmy USA, nebo mír s Ruskem ve vlastním zájmu. <hr> <p> </p> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3991-Hrozive-ml%C4%8Deni-zapadnich-prodejnych-medii-na-Putin%C5%AFv-projev-v-ruske-Dum%C4%9B" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3991?show_comzone=y#comments" class="highlight"> 4&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article10"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3990-Varoufakis-ukazuje-zakulisi-bankovniho-EU-tunelu-na-%C5%98ecko" class="" data-type="article" data-object="3990">Varoufakis ukazuje zákulisí bankovního EU-tunelu na Řecko</a> </h2> <span class="titleb"> <span class="author"> Autor: redakce </span> - <span class="pubdate"> Zveřejněno 28.02.2018&nbsp;09:40 </span> - <span class="reads"> (4300&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:55px; height:82px"> <a href="http://news.e-republika.cz/dl4878?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4878.jpeg" style="float:left;" alt="Adults In The Room" class="regImage img-responsive pluginImg4878" width="53" height="80"> </a> </div> Web Agoravox krátce shrnuje hlavní teze knihy Janise Varoufakise <em>Conversation entre adults</em> (Rozhovor mezi dospělými), která byla na podzim 2017 vydána ve Francii. V angličtině je k dostání pod názvem <em>Adults In The Room</em>. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3990-Varoufakis-ukazuje-zakulisi-bankovniho-EU-tunelu-na-%C5%98ecko" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3990?show_comzone=y#comments" class="highlight"> 1 </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article11"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3989-Fake-news" class="" data-type="article" data-object="3989">Fake news</a> </h2> <span class="titleb"> <span class="author"> Autor: Pavel Letko </span> - <span class="pubdate"> Zveřejněno 26.02.2018&nbsp;04:00 </span> - <span class="reads"> (3406&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:61px; height:82px"> <a href="http://news.e-republika.cz/dl4612?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4612.jpeg" style="float:left;" alt="Pavel Letko" class="regImage img-responsive pluginImg4612" width="59" height="80"> </a> </div> Falešné zprávy jsou součástí tohoto světa podobně jako voda a vzduch a dokud budou na světě alespoň dva lidé s&nbsp;mozkem v hlavě, nikdy to nebude jiné. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3989-Fake-news" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3989?show_comzone=y#comments"> 0&nbsp;× komentováno </a> </li> </ul> </div> </article> <article class="clearfix article media media-overflow-visible wikiplugin_articles article12"> <header class="articletitle clearfix"> <h2> <a href="http://news.e-republika.cz/article3986-Vit%C4%9Bzny-Unor" class="" data-type="article" data-object="3986">Vítězný Únor</a> </h2> <span class="titleb"> <span class="author"> Autor: Přemysl Janýr </span> - <span class="pubdate"> Zveřejněno 25.02.2018&nbsp;10:00 </span> - <span class="reads"> (3456&nbsp;Návštěv) </span> </span><br> </header> <div class="articleheading"> <div class="media-left"> </div> <div class="articleheadingtext media-body"> <br style="clear:both"> <div class="imgbox" style="display: inline-block; float:left; margin-right:5px; max-width: 100%; width:63px; height:82px"> <a href="http://news.e-republika.cz/dl4876?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl4876.jpeg" style="float:left;" alt="Premek Pass2" class="regImage img-responsive pluginImg4876" width="61" height="80"> </a> </div> <em>“Modlil jsem se, aby je ta blbost neopustila,”</em> zhodnotil Gottwald v dubnu 1948 postup stran označujících se jako demokratické. <hr> </div> </div> <div class="articletrailer"> <ul class="list-inline pull-left"> <li class="status"> <a href="http://news.e-republika.cz/article3986-Vit%C4%9Bzny-Unor" class="more">Více</a> </li> <li> <a href="http://news.e-republika.cz/article3986?show_comzone=y#comments" class="highlight"> 4&nbsp;× komentováno </a> </li> </ul> </div> </article> <ul class="pagination"><li class="disabled"><span>«</span></li><li class="active"><span>1&nbsp;<span class="sr-only">(Současná)</span></span></li><li><a class="prevnext" href="http://news.e-republika.cz/HomePage?sort=publishDate_desc&amp;offset=13">2</a></li><li><a class="prevnext" href="http://news.e-republika.cz/HomePage?sort=publishDate_desc&amp;offset=26">3</a></li><li class="disabled"><span>…</span></li><li><a class="prevnext" href="http://news.e-republika.cz/HomePage?sort=publishDate_desc&amp;offset=377">30</a></li><li class="disabled"><span>…</span></li><li><a class="prevnext" href="http://news.e-republika.cz/HomePage?sort=publishDate_desc&amp;offset=3757">290</a></li><li><a class="prevnext next" href="http://news.e-republika.cz/HomePage?sort=publishDate_desc&amp;offset=13">»</a></li></ul> </div> </div> </div> </div> <br> <div style="text-align: center;"><a class="btn btn-primary " data-role="button" data-inline="true" style="margin-right:10px" href="http://news.e-republika.cz/Jedn%C3%ADm+klikem">Články dle data vydání</a> <a class="btn btn-primary " data-role="button" data-inline="true" style="margin-left:10px" href="http://news.e-republika.cz/redaktori">Články dle autorů</a></div><br> </td><td width="2%"> </td><td width="43%"> <div class="well"> <div style="width: 100%; height: 1000px;"><div class="tiki-slider"><div> <span class="tiki-slider-title" style="display: none;"></span> <a class="tablename" href="http://news.e-republika.cz/item8515?from=HomePage" data-type="trackeritem" data-object="8515"></a><p><a class="tablename" href="http://news.e-republika.cz/item8515?from=HomePage" data-type="trackeritem" data-object="8515"></a><a class="wiki external" target="_blank" href="http://www.novarepublika.cz/2018/03/ceske-otazky-k-referendu.html" rel="external">České otázky k referendu </a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>1. Jste schopni zabránit přijímání mezinárodních smluv, či jejich doplňků, které omezí suverenitu našeho státu? <br>2. Souhlasíte s tím, aby si EK přidělovala stále větší pravomoce vůči členským státům EU? <br>3. Jste schopni uhájit sekulární normy našeho státu? <br>(Nová republika) </p> <a class="tablename" href="http://news.e-republika.cz/item8514?from=HomePage" data-type="trackeritem" data-object="8514"></a><p><a class="tablename" href="http://news.e-republika.cz/item8514?from=HomePage" data-type="trackeritem" data-object="8514"></a><a class="wiki external" target="_blank" href="http://www.prvnizpravy.cz/sloupky/privede-nas-do-pekel-referendum-o-nato-nebo-nase-ucast-v-nato/" rel="external">Přivede nás do pekel referendum o NATO nebo naše účast v NATO? </a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Z hlediska postoje elit k veřejnosti tak existuje paradox:Na jedné straně je nevhodné, aby se „hloupí“ podíleli na výkonu přímé demokracie, jelikož jsou neschopni v referendu produkovat kvalitní výstupy.Nevadí však, jestliže se stejní „hlupáci“ ve volbách podílejí na vytváření zákonodárného sboru. Domnívám se však, že odpovědnost má mít stejnou ten, kdo rozhoduje v referendu, jako ten, kdo volí Parlament. (První zprávy) </p> <a class="tablename" href="http://news.e-republika.cz/item8513?from=HomePage" data-type="trackeritem" data-object="8513"></a><p><a class="tablename" href="http://news.e-republika.cz/item8513?from=HomePage" data-type="trackeritem" data-object="8513"></a><a class="wiki external" target="_blank" href="http://www.fsfinalword.cz/?page=archive&amp;day=2018-03-12" rel="external">Nejhorší noční můra Kapsche</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Kapsch a jeho agresivní tým právníků a odborníků na PR udělal vše pro to, aby nabídky v tendru na výběr mýtného nebyly podány a následně otevřeny. Stěžoval si u ČSSD nakloněného Úřadu pro ochranu hospodářské soutěže, získal podporu obchodních a politických skupin a zažaloval Final Word za pomluvu. Nezafungovalo to. Nabídky byly ve čtvrtek otevřeny a nejhorší noční můra Kapsche se naplnila. (Final Word) </p> <a class="tablename" href="http://news.e-republika.cz/item8507?from=HomePage" data-type="trackeritem" data-object="8507"></a><p><a class="tablename" href="http://news.e-republika.cz/item8507?from=HomePage" data-type="trackeritem" data-object="8507"></a><a class="wiki external" target="_blank" href="http://institutvk.cz/clanky/1097.html" rel="external">Ivo Strejček: „Bratislavská revoluce“ ve středoevropském kontextu </a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Výzvu slovenského prezidenta Kisky k „zásadní rekonstrukci vlády nebo předčasným volbám,… ať byly motivy vraždy dvou mladých lidí jakékoliv“ lze stěží chápat jinak, než jako Kiskovu (a koho dalšího?) cestu k revolučnímu přeformátování současného politického uspořádání na Slovensku. (Institut Václava Klause) </p> <a class="tablename" href="http://news.e-republika.cz/item8506?from=HomePage" data-type="trackeritem" data-object="8506"></a><p><a class="tablename" href="http://news.e-republika.cz/item8506?from=HomePage" data-type="trackeritem" data-object="8506"></a><a class="wiki external" target="_blank" href="https://www.hlavnespravy.sk/vitazny-marec-2018-revolucionar-soros-sokujuce-prepojenia-chobotnice-tretieho-sektora-cudzich-zaujmov-na-slovensku/1338078" rel="external">„Víťazný marec 2018“? Revolucionár Soros a šokujúce prepojenia chobotnice tretieho sektora a cudzích záujmov na Slovensku</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Nie je náhoda, že na deň protestu (9.marca) udelili viaceré vysoké školy rektorské voľno, aby sa ulice čo najviac naplnili študentmi. (Hlavné správy) </p> <a class="tablename" href="http://news.e-republika.cz/item8504?from=HomePage" data-type="trackeritem" data-object="8504"></a><p><a class="tablename" href="http://news.e-republika.cz/item8504?from=HomePage" data-type="trackeritem" data-object="8504"></a><a class="wiki external" target="_blank" href="http://forum24.cz/tisice-lidi-chteji-kvetinami-podekovat-miroslave-nemcove-za-jeji-postoj/" rel="external">Tisíce lidí chtějí květinami poděkovat Miroslavě Němcové za její postoj</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Bývalá předsedkyně poslanecké sněmovny a výrazná tvář ODS Miroslava Němcová předvedla při inauguračním projevu Miloše Zemana, že jí není lhostejné, když se hlava státu chová nepřijatelně. Svým odchodem z Vladislavského sálu získala velké sympatie i u lidí, kteří normálně politiku moc nesledují. (Forum24) </p> </div><div> <a class="tablename" href="http://news.e-republika.cz/item8516?from=HomePage" data-type="trackeritem" data-object="8516"></a><p><a class="tablename" href="http://news.e-republika.cz/item8516?from=HomePage" data-type="trackeritem" data-object="8516"></a><a class="wiki external" target="_blank" href="https://mobile.twitter.com/snarwani/status/973661866395361280" rel="external">Twít novinářky z dobyté části Ghůty</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Byla jsem včera ve východní Ghútě asi 25 metrů od frontové linie Shifouniyeh &amp; Misraba, což jsou oblasti právě osvobozené od teroristů. Západní žurnalisté jsou v houfech shromážděni v humanitárním koridoru na severu. Ale ani jediný z nich nebyl ve výrobně chemických zbraní, kterou včera dobyla SAA. (Sharmine Narwani) </p> <a class="tablename" href="http://news.e-republika.cz/item8512?from=HomePage" data-type="trackeritem" data-object="8512"></a><p><a class="tablename" href="http://news.e-republika.cz/item8512?from=HomePage" data-type="trackeritem" data-object="8512"></a><a class="wiki external" target="_blank" href="http://casopisargument.cz/2018/03/12/proc-vlastne-vladimir-putin-hovoril-o-novych-ruskych-zbranich/" rel="external">Proč vlastně Vladimir Putin hovořil o nových ruských zbraních?</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Pavel Gavlas rozebral okolnosti a vojenský obsah Putinova projevu. Proč Putin obšírně mluvil o nových zbraních a jak hodnotit konkrétně v projevu představené zbraňové systémy? (!argument) </p> <a class="tablename" href="http://news.e-republika.cz/item8510?from=HomePage" data-type="trackeritem" data-object="8510"></a><p><a class="tablename" href="http://news.e-republika.cz/item8510?from=HomePage" data-type="trackeritem" data-object="8510"></a><a class="wiki external" target="_blank" href="http://www.zvedavec.org/komentare/2018/03/7527-usa-se-snazi-zamerne-prodluzovat-krveproliti-v-syrii.htm" rel="external">USA se snaží záměrně prodlužovat krveprolití v Sýrii</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Na základě analytické zprávy z roku 2012 vychází nepochybně najevo, že USA se domáhají toho, aby syrská vláda „vykrvácela“, a s ní i syrský lid. Dnes je to tak, že západní zájmové skupiny svádí vinu za důsledky americké zvrácené zahraniční politiky v Sýrii na samotné oběti, proti nimž je tato politika zaměřená. (ICH via Zvědavec) </p> <a class="tablename" href="http://news.e-republika.cz/item8501?from=HomePage" data-type="trackeritem" data-object="8501"></a><p><a class="tablename" href="http://news.e-republika.cz/item8501?from=HomePage" data-type="trackeritem" data-object="8501"></a><a class="wiki external" target="_blank" href="https://original.antiwar.com/Ben_Freeman/2018/03/09/the-lobbying-war-for-war-in-yemen/" rel="external">Lobbistická válka za válku proti Jemenu</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Od začátku války v Jemenu, navzdory tomu, že OSN potvridlo, že v tomto konfliktu zahynulo více než 10 tisíc civilistů, saúdská vláda a její lobbisté ve Washingtonu dělají vše pro to, aby udrželi Jemen mimo pozornost těch, kteří vytvářejí politické strategie, a udrželi vojenskou podporu a zbraně proudící do Saúdské Arábie v rekordním množství. (Antiwar.com) </p> <a class="tablename" href="http://news.e-republika.cz/item8497?from=HomePage" data-type="trackeritem" data-object="8497"></a><p><a class="tablename" href="http://news.e-republika.cz/item8497?from=HomePage" data-type="trackeritem" data-object="8497"></a><a class="wiki external" target="_blank" href="https://cz.sputniknews.com/svet/201803096923910-cina-juan-svet-mena-ekonomika/" rel="external">Čína hodlá z jüanu učinit světovou měnu</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Čínské úřady budou i nadále postupně napomáhat internacionalizaci jüanu, mimo jiné i díky dalšímu otevírání svého finančního trhu, prohlásil šéf Čínské lidové banky Čou Siao-čchuan. (Sputnik) </p> </div><div> <a class="tablename" href="http://news.e-republika.cz/item8505?from=HomePage" data-type="trackeritem" data-object="8505"></a><p><a class="tablename" href="http://news.e-republika.cz/item8505?from=HomePage" data-type="trackeritem" data-object="8505"></a><a class="wiki external" target="_blank" href="https://kultura.zpravy.idnes.cz/glosa-cesky-lev-baba-z-ledu-ct-div-/filmvideo.aspx?c=A180311_080747_filmvideo_spm" rel="external">GLOSA: České lvy vyhrála politika. Čímž filmaři dovršili svou zkázu</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Jak vypadaly děkovné proslovy? Nejlepší dokument: politická výzva, a to hned ve dvojím podání. Kostýmy: politika. Herečka v hlavní roli: politika. Televizní film: politika. Televizní seriál: politika, dokonce s apelem Nevolte Miloše Zemana - jako by se snad teprve schylovalo k prezidentským volbám. (iDnes) </p> <a class="tablename" href="http://news.e-republika.cz/item8502?from=HomePage" data-type="trackeritem" data-object="8502"></a><p><a class="tablename" href="http://news.e-republika.cz/item8502?from=HomePage" data-type="trackeritem" data-object="8502"></a><a class="wiki external" target="_blank" href="https://www.facebook.com/apolena.rychlikova/posts/10212007259032952" rel="external">Nevím, jak mám přesně popsat pocity, který se mnou cloumaly při včerejším předávání Českýho lva...</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Nemyslím, že by každej měl točit o sociálních otázkách, ale nenapadá mě skoro žádná jiná kinematografie, která tak dokonale naplňuje obraz “bubliny” jako ta česká. Nikdo nic neriskuje. A ti lidi venku to vědí. Zemana, Okamuru nebo Babiše neporazíme kecama o demokracii a svobodě. Porazíme je jenom, když získáme zpátky důvěru lidí, na který totálně okatě serem. (Facebook Apoleny Rychlíkové) </p> <a class="tablename" href="http://news.e-republika.cz/item8492?from=HomePage" data-type="trackeritem" data-object="8492"></a><p><a class="tablename" href="http://news.e-republika.cz/item8492?from=HomePage" data-type="trackeritem" data-object="8492"></a><a class="wiki external" target="_blank" href="https://www.kulturni-noviny.cz/nezavisle-vydavatelske-a-medialni-druzstvo/archiv/online/2018/10-2018/ostra-paprika-oty-filipa" rel="external">Ostrá paprika Oty Filipa</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Podle Filipova románu Nanebevstoupení Lojzka Lapáčka ze Slezské Ostravy natočila ostravská televize v roce 1994 stejnojmenný sedmidílný historický seriál, odehrávající se mezi lety 1930 a 1968 - s hvězdným obsazením (mj. Iva Janžurová, Stanislav Zindulka, Jiří Štěpnička, Marek Vašut). Ten měl ale už během svého vzniku problémy, které naznačovaly, jak to bude se svobodou tvorby i v polistopadovém režimu. (Kulturní noviny) </p> <a class="tablename" href="http://news.e-republika.cz/item8490?from=HomePage" data-type="trackeritem" data-object="8490"></a><p><a class="tablename" href="http://news.e-republika.cz/item8490?from=HomePage" data-type="trackeritem" data-object="8490"></a><a class="wiki external" target="_blank" href="https://www.kulturni-noviny.cz/nezavisle-vydavatelske-a-medialni-druzstvo/archiv/online/2018/9-2018/obzivlosti-seznamy" rel="external">Obživlosti: Seznamy</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Pro pořádek je asi správné poznamenat, že minulost byla lepší, než jak ji dnes líčí ti, kvůli kterým byla špatná. Tedy ti, o které se nikdy nezajímali tajní, neboť k tomu nebyl důvod, jestliže poslušně respektovali systém a nedělali neplechu. (Kulturní noviny) </p> <a class="tablename" href="http://news.e-republika.cz/item8452?from=HomePage" data-type="trackeritem" data-object="8452"></a><p><a class="tablename" href="http://news.e-republika.cz/item8452?from=HomePage" data-type="trackeritem" data-object="8452"></a><a class="wiki external" target="_blank" href="https://archiv.ihned.cz/c1-66064290-aukcni-sin-christie-s-vydrazila-ctyri-kupkova-dila?" rel="external">Aukční síň Christie’s vydražila čtyři Kupkova díla</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>V Londýně byla tento týden vydražena čtyři díla Františka Kupky. Olejomalba ze 30. let zvaná Série C III, Elevace našla nového majitele v přepočtu za 52,3 milionu korun. “Obraz připadne do rukou evropského soukromého sběratele,” říká Anna Povejšilová, specialistka na impresionismus a modernu v aukční síni Christie’s. (Hospodářské noviny) </p> <p> </p> <a class="tablename" href="http://news.e-republika.cz/item8433?from=HomePage" data-type="trackeritem" data-object="8433"></a><p><a class="tablename" href="http://news.e-republika.cz/item8433?from=HomePage" data-type="trackeritem" data-object="8433"></a><a class="wiki external" target="_blank" href="http://www.ceskatelevize.cz/ct24/kultura/2400397-romsky-pianista-tomas-kaco-zahral-v-carnegie-hall-inspiruje-nejen-svych-11" rel="external">Romský pianista Tomáš Kačo zahrál v Carnegie Hall. Inspiruje nejen svých 11 sourozenců</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Koncert v newyorské Carnegie Hall je pro mnohé hudebníky snem. Ve čtvrtek večer se splnil mladému pianistovi Tomáši Kačovi z Nového Jičína. Po absolvování prestižní hudební školy Berklee a velké chvíli ve slavné síni má nyní další mety. Chtěl by se prosadit jako interpret i skladatel na světové scéně. (Česká televize) </p> </div><div> <a class="tablename" href="http://news.e-republika.cz/item8511?from=HomePage" data-type="trackeritem" data-object="8511"></a><p><a class="tablename" href="http://news.e-republika.cz/item8511?from=HomePage" data-type="trackeritem" data-object="8511"></a><a class="wiki external" target="_blank" href="http://www.zvedavec.org/komentare/2018/03/7526-olomoucka-elegie-o-znepokojenem-rektorovi.htm" rel="external">Olomoucká elegie o znepokojeném rektorovi</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Milí studenti-terénní dobrovolníci. Některé z vás jsem možná na fakultě učil, snažím se vás pochopit, ale nejde mi to. Taky jsem ve vašem věku studoval, taky jsem měl potřebu měnit svět k lepšímu, taky jsem byl manipulován pro zájmy jiných. Ale na rozdíl od vás jsem si o sobě nikdy nemyslel, že mám tu jedinou pravdu, nepoučoval jsem starší a moudřejší a nemontoval jsem se lidem do života. (Zvědavec) </p> <a class="tablename" href="http://news.e-republika.cz/item8508?from=HomePage" data-type="trackeritem" data-object="8508"></a><p><a class="tablename" href="http://news.e-republika.cz/item8508?from=HomePage" data-type="trackeritem" data-object="8508"></a><a class="wiki external" target="_blank" href="https://www.hlavnespravy.sk/rusky-navod-pre-navstevnikov-protestnych-mitingov/1337956" rel="external">Ruský návod pre návštevníkov protestných mítingov</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Viete na aké mítingy máte chodiť? No predsa na tie spontánne, ľudové. Ale ako ich spoznať? Na jednej ruskej stránke bol pred časom jednoduchý návod, ako sa dajú rozlíšiť spontánne mítingy od tých, ktoré sú organizované platenými agentmi Kremľa. (Hlavné správy) </p> <a class="tablename" href="http://news.e-republika.cz/item8503?from=HomePage" data-type="trackeritem" data-object="8503"></a><p><a class="tablename" href="http://news.e-republika.cz/item8503?from=HomePage" data-type="trackeritem" data-object="8503"></a><a class="wiki external" target="_blank" href="https://www.lidovky.cz/bez-bytu-a-bez-deti-generace-mladych-cechu-narazila-fsl-/zpravy-domov.aspx?c=A180309_224049_ln_domov_sij" rel="external">Bez bytu a bez dětí. Generace mladých Čechů narazila</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>„Hypotéku si dovolit nemůžeme. Pronájmy se pohybují okolo 20 tisíc korun měsíčně. Pokud bych šla na mateřskou, těžko bychom zvládli platit bydlení a všechny věci okolo,“ konstatuje Karla. Plán pořídit si potomka musí počkat. Přední je vyřešit finance. (Lidovky.cz) </p> <a class="tablename" href="http://news.e-republika.cz/item8459?from=HomePage" data-type="trackeritem" data-object="8459"></a><p><a class="tablename" href="http://news.e-republika.cz/item8459?from=HomePage" data-type="trackeritem" data-object="8459"></a><a class="wiki external" target="_blank" href="https://www.parlamentnilisty.cz/arena/rozhovory/Rychlokvasene-elity-ze-stazi-v-USA-siri-prostrednictvim-CT-polopravdu-a-nenavist-Postup-je-stejny-jako-u-drivejsich-propagandistu-dokazuje-byvaly-televizni-reditel-526590" rel="external">Rychlokvašené elity ze stáží v USA šíří prostřednictvím ČT polopravdu a nenávist</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Postup je stejný jako u dřívějších propagandistů, dokazuje bývalý televizní ředitel. (Parlamentní listy) </p> <a class="tablename" href="http://news.e-republika.cz/item8449?from=HomePage" data-type="trackeritem" data-object="8449"></a><p><a class="tablename" href="http://news.e-republika.cz/item8449?from=HomePage" data-type="trackeritem" data-object="8449"></a><a class="wiki external" target="_blank" href="https://wave.rozhlas.cz/cesi-jsou-v-mrazech-solidarni-s-lidmi-bez-domova-tuto-zimu-jim-zaplatili-uz-6931517" rel="external">Češi jsou v mrazech solidární s lidmi bez domova, tuto zimu jim zaplatili už tisíce noclehů v teple</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Armáda spásy prodala od loňského listopadu už přibližně 15&nbsp;000 takzvaných Nocleženek. Jde o stokorunový poukaz, díky kterému mohou lidé bez domova strávit mrazivou noc v teple. V posledních dnech, kdy teploty klesají hluboko pod nulu, prokázali lidé podle koordinátorky projektu Lucie Stejskalové ohromnou solidaritu. (Radio Wawe) </p> <a class="tablename" href="http://news.e-republika.cz/item8434?from=HomePage" data-type="trackeritem" data-object="8434"></a><p><a class="tablename" href="http://news.e-republika.cz/item8434?from=HomePage" data-type="trackeritem" data-object="8434"></a><a class="wiki external" target="_blank" href="https://www.zerohedge.com/news/2018-02-22/big-pharmas-war-our-children-1-million-kids-under-age-6-psychiatric-drugs" rel="external">Válka farmaceutických gigantů proti našim dětem: 1 milion dětí do 6 let užívá psychiatrické léky</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Milionu dětí do 6 let ve Spojených státech jsou předepisovány psychiatrické léky. Toto číslo je obzvláště znepokojivé vzhledem k rozsáhlým vedlejším účinkům a neúčinnosti velké řady těchto škodlivých drog. (Natural News) </p> </div><div> <a class="tablename" href="http://news.e-republika.cz/item8509?from=HomePage" data-type="trackeritem" data-object="8509"></a><p><a class="tablename" href="http://news.e-republika.cz/item8509?from=HomePage" data-type="trackeritem" data-object="8509"></a><a class="wiki external" target="_blank" href="http://casopisargument.cz/2018/03/11/pet-mytu-o-demokracii/" rel="external">Pět mýtů o demokracii</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Politolog Oskar Krejčí uvádí na pravou míru celkem pět nejčastějších mýtů o demokracii. Jak tyto mýty souvisejí se současnými protesty? (!argument) </p> <a class="tablename" href="http://news.e-republika.cz/item8451?from=HomePage" data-type="trackeritem" data-object="8451"></a><p><a class="tablename" href="http://news.e-republika.cz/item8451?from=HomePage" data-type="trackeritem" data-object="8451"></a><a class="wiki external" target="_blank" href="https://wave.rozhlas.cz/muze-neoliberalismus-za-deprese-vyzkum-spojuje-narust-perfekcionismu-u-mladych-s-6930806" rel="external">Může neoliberalismus za deprese? Výzkum spojuje nárůst perfekcionismu u mladých s duševními nemocemi</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Podle článku publikovaného v prestižním americkém časopise Psychological Bulletin vzrostla míra perfekcionismu mezi mladými lidmi za poslední tři dekády až o 30&nbsp;%. Autoři jako příčiny jmenují neoliberalismus, meritokracii a úzkostnou výchovu. (Radio Wawe) </p> <a class="tablename" href="http://news.e-republika.cz/item8412?from=HomePage" data-type="trackeritem" data-object="8412"></a><p><a class="tablename" href="http://news.e-republika.cz/item8412?from=HomePage" data-type="trackeritem" data-object="8412"></a><a class="wiki external" target="_blank" href="https://www.sciencealert.com/scientists-engineered-sheep-human-hybrids-first-time-stem-cell-chimera?utm_source=Facebook&amp;utm_medium=Branded+Content&amp;utm_campaign=ScienceNaturePage" rel="external">Tohle byste měli vědět: Vědci právě vytvořili první hybridy mezi ovcí a člověkem</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Lidsko-ovčí embrya se stala skutečností. Vědci na Stanfordské univerzitě vytvořili chiméry za účelem “pěstování lidských orgánů pro transplantační účely”. (Science Alert) </p> <a class="tablename" href="http://news.e-republika.cz/item8387?from=HomePage" data-type="trackeritem" data-object="8387"></a><p><a class="tablename" href="http://news.e-republika.cz/item8387?from=HomePage" data-type="trackeritem" data-object="8387"></a><a class="wiki external" target="_blank" href="http://theantimedia.org/ancient-mayan-city-10-million-people/" rel="external">Vědci odhalili desetimilionové starověké mayské město ukryté pod džunglí</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Vědci právě odhalili mayské město skryté v guatemalské poušti, v němž mohlo žít odhadem 10 milionů obyvatel. Největší dobou jeho rozkvětu bylo období 1000 až 900 let př. n.l. (AntiMedia) </p> <a class="tablename" href="http://news.e-republika.cz/item8386?from=HomePage" data-type="trackeritem" data-object="8386"></a><p><a class="tablename" href="http://news.e-republika.cz/item8386?from=HomePage" data-type="trackeritem" data-object="8386"></a><a class="wiki external" target="_blank" href="https://thehackernews.com/2018/02/supercomputer-mining-bitcoin.html" rel="external">Pracovníci Ruského jaderného centra v Sarově byli zadrženi kvůli nelegální těžbě kryptoměn</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Vědci pracující na superpočítačích továrny na vývoj a výrobu jaderných zbraní byli zatčeni, protože na nich v pracovní době těžili kryptoměny. (The Hacker News a Interfax.ru) </p> <a class="tablename" href="http://news.e-republika.cz/item8361?from=HomePage" data-type="trackeritem" data-object="8361"></a><p><a class="tablename" href="http://news.e-republika.cz/item8361?from=HomePage" data-type="trackeritem" data-object="8361"></a><a class="wiki external" target="_blank" href="https://www.rt.com/usa/417928-monsanto-roundup-cancer-chemical/" rel="external">Zakrývání karcenogenity glyfosátu Monsantem: “Desetiletí podvodných praktik kvůli miliardovým ziskům”</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> <br>Podezření na to, že je glyfosát karcenogenní, je zde už od 80. let. Rozhovor Carey Gilliamovou, autorkou knihy “The Story of a Weed Killer, Cancer, and the Corruption of Science”. (RT.com) </p> </div></div></div> </div><br> <div style="text-align: center;"><a class="wiki" href="http://news.e-republika.cz/tracker14" rel=""><img src="E-republika%20|%20HomePage_files/dl3656.jpeg" alt="Archiv Nadpis" class="regImage img-responsive pluginImg3656" width="355" height="33"> </a></div><br> <div style=" text-align: center;"><br> <h1 class="showhide_heading" id="Vtipy_a_glosy"> Vtipy a glosy<br&nbsp;><a href="#Vtipy_a_glosy" class="heading-link"><span class="icon icon-link fa fa-link fa-fw "></span></a></br&nbsp;></h1> </div><br> <div id="mycarousel" class="carousel slide " data-ride="carousel" data-interval="4000" data-pause="hover" data-wrap="1"> <ol class="carousel-indicators"> <li data-target="#mycarousel" data-slide-to="0" class="active"></li> <li data-target="#mycarousel" data-slide-to="1"></li> <li data-target="#mycarousel" data-slide-to="2"></li> <li data-target="#mycarousel" data-slide-to="3"></li> <li data-target="#mycarousel" data-slide-to="4"></li> <li data-target="#mycarousel" data-slide-to="5"></li> <li data-target="#mycarousel" data-slide-to="6"></li> <li data-target="#mycarousel" data-slide-to="7"></li> <li data-target="#mycarousel" data-slide-to="8"></li> <li data-target="#mycarousel" data-slide-to="9"></li> <li data-target="#mycarousel" data-slide-to="10"></li> <li data-target="#mycarousel" data-slide-to="11"></li> <li data-target="#mycarousel" data-slide-to="12"></li> <li data-target="#mycarousel" data-slide-to="13"></li> <li data-target="#mycarousel" data-slide-to="14"></li> <li data-target="#mycarousel" data-slide-to="15"></li> </ol> <div class="carousel-inner"> <div class="item active"> <img src="E-republika%20|%20HomePage_files/dl4792.jpeg" style="width:50%" alt="14" class="regImage img-responsive pluginImg4792" width="351" height="556"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4754.jpeg" style="width:50%" alt="13" class="regImage img-responsive pluginImg4754" width="700" height="1300"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4755.jpeg" style="width:50%" alt="12" class="regImage img-responsive pluginImg4755" width="700" height="826"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4753.jpeg" style="width:50%" alt="2" class="regImage img-responsive pluginImg4753" width="730" height="950"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4752.jpeg" style="width:50%" alt="3" class="regImage img-responsive pluginImg4752" width="1077" height="581"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4749.jpeg" style="width:50%" alt="6" class="regImage img-responsive pluginImg4749" width="700" height="629"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4750.jpeg" style="width:50%" alt="5" class="regImage img-responsive pluginImg4750" width="700" height="729"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4751.jpeg" style="width:50%" alt="4" class="regImage img-responsive pluginImg4751" width="788" height="683"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4756.jpeg" style="width:50%" alt="11" class="regImage img-responsive pluginImg4756" width="800" height="1151"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4757.jpeg" style="width:50%" alt="10" class="regImage img-responsive pluginImg4757" width="800" height="1147"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4758.jpeg" style="width:50%" alt="1" class="regImage img-responsive pluginImg4758" width="720" height="917"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4791.jpeg" style="width:50%" alt="15" class="regImage img-responsive pluginImg4791" width="500" height="493"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4746.jpeg" style="width:50%" alt="9" class="regImage img-responsive pluginImg4746" width="800" height="963"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4747.jpeg" style="width:50%" alt="8" class="regImage img-responsive pluginImg4747" width="700" height="984"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <img src="E-republika%20|%20HomePage_files/dl4748.jpeg" style="width:50%" alt="7" class="regImage img-responsive pluginImg4748" width="800" height="645"> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> <div class="item"> <div class="well">Soubor nebyl nalezen.</div> <div class="carousel-caption"> &amp;lt;br /&amp;gt; </div> </div> </div> <a class="left carousel-control" href="#mycarousel" role="button" data-slide="prev"> <span class="icon icon-chevron-left fa fa-chevron-left fa-fw "></span> <span class="sr-only">Previous</span> </a> <a class="right carousel-control" href="#mycarousel" role="button" data-slide="next"> <span class="icon icon-chevron-right fa fa-chevron-right fa-fw "></span> <span class="sr-only">Next</span> </a> </div> <br> <br> <div class="clearfix tabs" data-name="HoPa_Reklama"><ul class="nav nav-tabs"><li class="active"><a href="#contentHoPa_Reklama-1" data-toggle="tab">2017-1</a></li><li class=""><a href="#contentHoPa_Reklama-2" data-toggle="tab">2016-4</a></li><li class=""><a href="#contentHoPa_Reklama-3" data-toggle="tab">2016-3</a></li><li class=""><a href="#contentHoPa_Reklama-4" data-toggle="tab">Archiv</a></li></ul></div><div class="tab-content"><div id="contentHoPa_Reklama-1" class="tab-pane active"> <div> <div id="module_wikiplugin_2" class="panel panel-default box-HoPa-News-tyden-1 module" style="max-width:100%"> <div class="panel-heading"> </div> <div id="mod-HoPa-News-tyden-1_wp_2" style="display: block;" class="clearfix panel-body"> <div id="HoPa-News-tyden-1" style="display:block;"> <div style=" text-align: center;"><a class="wiki" href="http://news.e-republika.cz/news-2017-1" rel=""><strong>Prohry Západu na Blízkém východě</strong></a></div> <ul><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3887" rel="">Západní boj s teroristy v Sýrii je v posledním tažení </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3891" rel="">Jak Západ bojuje s teroristy v Iráku </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3889" rel="">Jemen, cholera a mediální embargo koupeného Západu </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3895" rel="">Prohraná válka v Afghánistánu a její důsledky pro USA </a> </li></ul> </div> </div> </div> </div> </div><div id="contentHoPa_Reklama-2" class="tab-pane "><div> <div id="module_wikiplugin_3" class="panel panel-default box-HoPa-News-tyden-3 module" style="max-width:100%"> <div class="panel-heading"> </div> <div id="mod-HoPa-News-tyden-3_wp_3" style="display: block;" class="clearfix panel-body"> <div id="HoPa-News-tyden-3" style="display:block;"> <div style=" text-align: center;"><a class="wiki" href="http://news.e-republika.cz/news-2016-4" rel=""><strong>Nové peníze pro nový život</strong> </a></div> <ul><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3714" rel="">Nové peníze pro nový život očima účastníka </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3735" rel="">Od globalizace k&nbsp;decentralizaci. Jaké měny potřebujeme k&nbsp;udržení ekologické rovnováhy a spravedlnosti </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3712" rel="">Manifest za svobodu a právo rozhodovat o budoucnosti naší země </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3737" rel="">Peníze v rodině a v intimních vztazích – příklad příspěvku na péči </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3768" rel="">Kostarika: Marténův solidarismus a pokus o ústavní reformu v roce 1976 </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3749" rel="">Duch doby nepotřebuje filosofy? </a> </li></ul> </div> </div> </div> </div> </div><div id="contentHoPa_Reklama-3" class="tab-pane "><div> <div id="module_wikiplugin_4" class="panel panel-default box-HoPa-News-tyden-2 module" style="max-width:100%"> <div class="panel-heading"> </div> <div id="mod-HoPa-News-tyden-2_wp_4" style="display: block;" class="clearfix panel-body"> <div id="HoPa-News-tyden-2" style="display:block;"> <div style=" text-align: center;"><a class="wiki" href="http://news.e-republika.cz/news-2016-3" rel=""><strong>Brexit, doopravdy</strong></a></div> <ul><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3641" rel="">Brexit v zrcadle českých médií a bruselských byrokratů </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3644" rel="">Jan Keller: Další referenda jsou nepřijatelná, z meteorologických důvodů </a> </li><li><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3633" rel="">Brexit a NATO jako pohádkový Žabí princ </a> </li></ul> </div> </div> </div> </div> </div><div id="contentHoPa_Reklama-4" class="tab-pane "><div style=" text-align: center;"> <br style="clear:both"> <a href="http://news.e-republika.cz/dl1372?display" class="internal" data-box="box[g]"> <img src="E-republika%20|%20HomePage_files/dl1372.jpeg" style="float:left;" alt="linka_10px.jpg" class="regImage img-responsive pluginImg1372"> </a> <br> Archiv všech čísel <a class="wiki" href="http://news.e-republika.cz/Archiv+ISSN" rel="">najdete zde.</a></div> </div></div> <br> <h2 class="showhide_heading" id="Prohry_Z_padu_na_Bl_zk_m_v_chod_"><a href="http://news.e-republika.cz/news-2017-1" title="news-2017-1" class="wiki wiki_page">Prohry Západu na Blízkém východě</a><div style=" text-align: justify;"><br&nbsp;><a href="#Prohry_Z_padu_na_Bl_zk_m_v_chod_" class="heading-link"><span class="icon icon-link fa fa-link fa-fw "></span></a></br&nbsp;></div></h2> <span style=" text-align: justify;"><br> <div class="well">Sýrie, Irák, Jemen, Afghánistán...vývoj v těchto zemích ukazuje zvraty globální politiky a hroznou tvář válek v zastoupení, do níchž se nechal Západ vtáhnout z různých důvodů, hlavně geopolitických a ekonomických. Výsledkem je ztráta vlivu na Blízkém východě, podpora terorismu, milióny uprchlíků, hladomor a nepřetržité občanské války. Teror začal vybírat krutou daň i v Evropě a v USA. Kdo s terorismem zachází, ten s ním také schází.</div></span> <br> <h3 class="showhide_heading" id="Z_padn_boj_s_teroristy_v_S_rii_je_v_posledn_m_ta_en_"><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3887" rel="">Západní boj s teroristy v Sýrii je v posledním tažení</a><br&nbsp;><a href="#Z_padn_boj_s_teroristy_v_S_rii_je_v_posledn_m_ta_en_" class="heading-link"><span class="icon icon-link fa fa-link fa-fw "></span></a></br&nbsp;></h3> Už jsem dlouho nepsal o Sýrii, za což se omlouvám. A to jsme byli jeden z mála nezávislých českých webů, který celou situaci monitoruje a komentuje už 5 let. Podívejte se na 4 roky trvající seriál “Fakta o Sýrii” a “Fakta o Blízkém východě” a na jeho pokračování. Všechny naše chmurné předpovědi vyšly. To nebylo nijak obtížné při devastaci politického myšlení na Západě, který byl ochotný pro rozbití země přímo bojovat s teroristy. Saúdsko-arabský wahabitský klerik <a class="wiki external" target="_blank" href="https://en.wikipedia.org/wiki/Abdullah_al-Muhaysini" rel="external">Abdullah al-Muhaysini</a><span class="icon icon-link-external fa fa-external-link fa-fw "></span> je hlavním duchovním al-Kájdy. Tak si poslechněme, co říká saúdský teroristický papež o Západem podporovaných skupinách “demokratů”, jako je žoldnéřská armáda FSA placená a vyzbrojovaná skrze CIA a NATO. <br> <br style="clear:both"> <div class="imgbox" style="display: inline-block; display:block; margin-left:auto; margin-right:auto; max-width: 100%; width:402px; height:225px"> <a href="https://www.liveleak.com/view?i=d76_1500798331" class="internal" target="_blank"> <img src="E-republika%20|%20HomePage_files/dl4723.jpeg" style="display:block; margin-left:auto; margin-right:auto;" alt="Al Humaysini" class="regImage img-responsive pluginImg4723" width="400" height="223"> </a> </div> <br> <div style="text-align: center;"><a class="wiki" href="http://news.e-republika.cz/tiki-read_article.php?articleId=3887" rel=""><span style="color:#009">Pokračování zde.</span></a></div><br> <br> <div style=" text-align: center;"><br> <h1 class="showhide_heading" id="Doporu_en_tituly"> Doporučené tituly<br&nbsp;><a href="#Doporu_en_tituly" class="heading-link"><span class="icon icon-link fa fa-link fa-fw "></span></a></br&nbsp;></h1> </div><br> <br style="clear:both"> <a href="http://news.e-republika.cz/Occupy+Money" class="internal" title="Occoupy Money"> <img src="E-republika%20|%20HomePage_files/dl4131.gif" style="display:block; margin-left:auto; margin-right:auto;" alt="OccupyMoneyReklama" class="regImage img-responsive pluginImg4131" title="Occoupy Money" width="380" height="221"> </a> <br> </td></tr></tbody></table></div></div> </div> </article> <footer class="help-block"> </footer> <a id="attachments"></a> <div id="attzone" style="display:none;"> </div> </div> </div> </div> </div> <footer class="footer" id="footer"> <div class="footer_liner"> <div class="container"> <div class="content clearfix modules row row-sidemargins-zero" id="bottom_modules"> <div id="module_20" style="" class="module box-menu"> <div id="mod-menubottom1" class=""> <nav class="navbar navbar-default" role="navigation"> <div class="navbar-header"> <button type="button" class="navbar-toggle" data-toggle="collapse" data-target="#mod-menubottom1 .navbar-collapse"> <span class="sr-only">Toggle navigation</span> <span class="icon-bar"></span> <span class="icon-bar"></span> <span class="icon-bar"></span> </button> </div> <div class="collapse navbar-collapse"> <ul class="nav navbar-nav"> <li class=""><a href="http://news.e-republika.cz/community">O nás</a></li> <li class=""><a href="http://news.e-republika.cz/vydavatel">Vydavatel</a></li> <li class=""><a href="http://news.e-republika.cz/redaktori">Redakce</a></li> <li class=""><a href="http://news.e-republika.cz/copyright">Copyright</a></li> <li class=""><a href="http://news.e-republika.cz/pravni_ujednani">Právní ujednání</a></li> <li class=""><a href="http://news.e-republika.cz/pravidla_diskuzi">Pravidla diskuzí</a></li> <li class=""><a href="http://news.e-republika.cz/publikacni_kodex">Publikační kodex</a></li> <li class=""><a href="http://news.e-republika.cz/partners">Partneři</a></li> </ul> </div> </nav> </div> </div> <div id="module_5" style="" class="module box-rsslist"> <div id="mod-rsslistbottom2" class=""> <div id="rss"> <a class="linkmodule tips" title=":Articles feed" href="http://news.e-republika.cz/tiki-articles_rss.php?ver=2"> <span class="icon icon-rss fa fa-rss fa-fw "></span> Články </a> <a class="linkmodule" href="http://news.e-republika.cz/tiki-tracker_rss.php?ver=2&amp;trackerId=14"> <span class="icon icon-rss fa fa-rss fa-fw "></span> Zprávy_jednou_větou </a> </div> </div> </div> </div> </div> </div> </footer> <div id="bootstrap-modal" class="modal fade footer-modal" tabindex="-1" role="dialog" aria-labelledby="myModalLabel" aria-hidden="true"> <div class="modal-dialog"> <div class="modal-content"> <div class="modal-header"> <h4 class="modal-title" id="myModalLabel"></h4> </div> </div> </div> </div> <div id="bootstrap-modal-2" class="modal fade footer-modal" tabindex="-1" role="dialog" aria-labelledby="myModalLabel" aria-hidden="true"> <div class="modal-dialog"> <div class="modal-content"> </div> </div> </div> <div id="bootstrap-modal-3" class="modal fade footer-modal" tabindex="-1" role="dialog" aria-labelledby="myModalLabel" aria-hidden="true"> <div class="modal-dialog"> <div class="modal-content"> </div> </div> </div> <!-- Put JS at the end --> <script type="text/javascript" src="E-republika%20|%20HomePage_files/min_main_ac269b312964168986ca797ab8092bc3.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/language.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/captchalib.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/swfobject.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/jquery_002.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/jquery_003.js"></script> <script type="text/javascript" src="E-republika%20|%20HomePage_files/jquery.js"></script> <script type="text/javascript"> <!--//--><![CDATA[//><!-- // js 0 tiki_cookie_jar=new Object(); setCookieBrowser('javascript_enabled', 'y', '', new Date(1552825356000)); $.lang = 'cs'; // JS Object to hold prefs for jq var jqueryTiki = new Object(); jqueryTiki.ui = true; jqueryTiki.ui_theme = "flick"; jqueryTiki.tooltips = true; jqueryTiki.autocomplete = true; jqueryTiki.superfish = true; jqueryTiki.reflection = true; jqueryTiki.tablesorter = false; jqueryTiki.colorbox = true; jqueryTiki.cboxCurrent = "{current} / {total}"; jqueryTiki.sheet = false; jqueryTiki.carousel = true; jqueryTiki.validate = true; jqueryTiki.zoom = false; jqueryTiki.effect = ""; // Default effect jqueryTiki.effect_direction = "vertical"; // "horizontal" | "vertical" etc jqueryTiki.effect_speed = 400; // "slow" | "normal" | "fast" | milliseconds (int) ] jqueryTiki.effect_tabs = "slide"; // Different effect for tabs jqueryTiki.effect_tabs_direction = "vertical"; jqueryTiki.effect_tabs_speed = "fast"; jqueryTiki.home_file_gallery = "6"; jqueryTiki.autosave = true; jqueryTiki.sefurl = true; jqueryTiki.ajax = true; jqueryTiki.syntaxHighlighter = false; jqueryTiki.chosen = false; jqueryTiki.mapTileSets = ["openstreetmap"]; jqueryTiki.infoboxTypes = ["trackeritem","activity"]; jqueryTiki.googleStreetView = false; jqueryTiki.googleStreetViewOverlay = false; jqueryTiki.structurePageRepeat = false; jqueryTiki.mobile = false; jqueryTiki.no_cookie = false; jqueryTiki.language = "cs"; jqueryTiki.useInlineComment = false; jqueryTiki.helpurl = ""; jqueryTiki.shortDateFormat = "yy-mm-dd"; jqueryTiki.shortTimeFormat = "HH:mm"; jqueryTiki.username = null; jqueryTiki.userRealName = null; jqueryTiki.userAvatar = "http://news.e-republika.cz/img/noavatar.png"; jqueryTiki.autoToc_inline = true; jqueryTiki.autoToc_pos = "right"; jqueryTiki.autoToc_offset = 10; jqueryTiki.current_object = {"type":"wiki page","object":"HomePage"}; var syntaxHighlighter = { ready: function(textarea, settings) { return null; }, sync: function(textarea) { return null; }, add: function(editor, $input, none, skipResize) { return null; }, remove: function($input) { return null; }, get: function($input) { return null; }, fullscreen: function(textarea) { return null; }, find: function(textareaEditor, val) { return null; }, searchCursor: [], replace: function(textareaEditor, val, replaceVal) { return null; }, insertAt: function(textareaEditor, replaceString, perLine, blockLevel) { return null; } }; jqueryTiki.iconset = {"defaults":["500px","adjust","adn","align-center","align-justify","align-left","align-right","amazon","ambulance","anchor","android","angellist","angle-double-down","angle-double-left","angle-double-right","angle-double-up","angle-down","angle-left","angle-right","angle-up","apple","archive","area-chart","arrow-circle-down","arrow-circle-left","arrow-circle-o-down","arrow-circle-o-left","arrow-circle-o-right","arrow-circle-o-up","arrow-circle-right","arrow-circle-up","arrow-down","arrow-left","arrow-right","arrow-up","arrows","arrows-alt","arrows-h","arrows-v","asterisk","at","automobile","backward","balance-scale","ban","bank","bar-chart","bar-chart-o","barcode","bars","battery-0","battery-1","battery-2","battery-3","battery-4","battery-empty","battery-full","battery-half","battery-quarter","battery-three-quarters","bed","beer","behance","behance-square","bell","bell-o","bell-slash","bell-slash-o","bicycle","binoculars","birthday-cake","bitbucket","bitbucket-square","bitcoin","black-tie","bluetooth","bluetooth-b","bold","bolt","bomb","book","bookmark","bookmark-o","briefcase","btc","bug","building","building-o","bullhorn","bullseye","bus","buysellads","cab","calculator","calendar","calendar-check-o","calendar-minus-o","calendar-o","calendar-plus-o","calendar-times-o","camera","camera-retro","car","caret-down","caret-left","caret-right","caret-square-o-down","caret-square-o-left","caret-square-o-right","caret-square-o-up","caret-up","cart-arrow-down","cart-plus","cc","cc-amex","cc-diners-club","cc-discover","cc-jcb","cc-mastercard","cc-paypal","cc-stripe","cc-visa","certificate","chain","chain-broken","check","check-circle","check-circle-o","check-square","check-square-o","chevron-circle-down","chevron-circle-left","chevron-circle-right","chevron-circle-up","chevron-down","chevron-left","chevron-right","chevron-up","child","chrome","circle","circle-o","circle-o-notch","circle-thin","clipboard","clock-o","clone","close","cloud","cloud-download","cloud-upload","cny","code","code-fork","codepen","codiepie","coffee","cog","cogs","columns","comment","comment-o","commenting","commenting-o","comments","comments-o","compass","compress","connectdevelop","contao","copy","copyright","creative-commons","credit-card","credit-card-alt","crop","crosshairs","css3","cube","cubes","cut","cutlery","dashboard","dashcube","database","dedent","delicious","desktop","deviantart","diamond","digg","dollar","dot-circle-o","download","dribbble","dropbox","drupal","edge","edit","eject","ellipsis-h","ellipsis-v","empire","envelope","envelope-o","envelope-square","eraser","eur","euro","exchange","exclamation","exclamation-circle","exclamation-triangle","expand","expeditedssl","external-link","external-link-square","eye","eye-slash","eyedropper","facebook","facebook-official","facebook-square","fast-backward","fast-forward","fax","female","fighter-jet","file","file-archive-o","file-audio-o","file-code-o","file-excel-o","file-image-o","file-movie-o","file-o","file-pdf-o","file-photo-o","file-picture-o","file-powerpoint-o","file-sound-o","file-text","file-text-o","file-video-o","file-word-o","file-zip-o","files-o","film","filter","fire","fire-extinguisher","firefox","flag","flag-checkered","flag-o","flash","flask","flickr","floppy-o","folder","folder-o","folder-open","folder-open-o","font","fonticons","fort-awesome","forumbee","forward","foursquare","frown-o","futbol-o","gamepad","gavel","gbp","ge","gear","gears","genderless","get-pocket","gg","gg-circle","gift","git","git-square","github","github-alt","github-square","gittip","glass","globe","google","google-plus","google-plus-square","google-wallet","graduation-cap","group","h-square","hacker-news","hand-grab-o","hand-lizard-o","hand-o-down","hand-o-left","hand-o-right","hand-o-up","hand-paper-o","hand-peace-o","hand-pointer-o","hand-rock-o","hand-scissors-o","hand-spock-o","hand-stop-o","hashtag","hdd-o","header","headphones","heart","heartbeat","heart-o","history","home","hospital-o","hotel","hourglass","hourglass-1","hourglass-2","hourglass-3","hourglass-end","hourglass-half","hourglass-o","hourglass-start","houzz","html5","i-cursor","ils","image","inbox","indent","industry","info","info-circle","inr","instagram","institution","internet-explorer","ioxhost","italic","joomla","jpy","jsfiddle","key","keyboard-o","krw","language","laptop","lastfm","lastfm-square","leaf","leanpub","legal","lemon-o","level-down","level-up","life-bouy","life-buoy","life-ring","life-saver","lightbulb-o","line-chart","link","linkedin","linkedin-square","linux","list","list-alt","list-ol","list-ul","location-arrow","lock","long-arrow-down","long-arrow-left","long-arrow-right","long-arrow-up","magic","magnet","mail-forward","mail-reply","mail-reply-all","male","map","map-marker","map-o","map-pin","map-signs","mars","mars-double","mars-stroke","mars-stroke-h","mars-stroke-v","maxcdn","meanpath","medium","medkit","meh-o","mercury","microphone","microphone-slash","minus","minus-circle","minus-square","minus-square-o","mixcloud","mobile","mobile-phone","modx","money","moon-o","mortar-board","motorcycle","mouse-pointer","music","navicon","neuter","newspaper-o","object-group","object-ungroup","odnoklassniki","odnoklassniki-square","opencart","openid","opera","optin-monster","outdent","pagelines","paint-brush","paper-plane","paper-plane-o","paperclip","paragraph","paste","pause","pause-circle","pause-circle-o","paw","paypal","pencil","pencil-square","pencil-square-o","percent","phone","phone-square","photo","picture-o","pie-chart","pied-piper","pied-piper-alt","pinterest","pinterest-p","pinterest-square","plane","play","play-circle","play-circle-o","plug","plus","plus-circle","plus-square","plus-square-o","power-off","print","product-hunt","puzzle-piece","qq","qrcode","question","question-circle","quote-left","quote-right","ra","random","rebel","recycle","reddit","reddit-alien","reddit-square","refresh","registered","remove","renren","reorder","repeat","reply","reply-all","retweet","rmb","road","rocket","rotate-left","rotate-right","rouble","rss","rss-square","rub","ruble","rupee","safari","save","scissors","scribd","search","search-minus","search-plus","sellsy","send","send-o","server","share","share-alt","share-alt-square","share-square","share-square-o","shekel","sheqel","shield","ship","shirtsinbulk","shopping-bag","shopping-basket","shopping-cart","sign-in","sign-out","signal","simplybuilt","sitemap","skyatlas","skype","slack","sliders","slideshare","smile-o","soccer-ball-o","sort","sort-alpha-asc","sort-alpha-desc","sort-amount-asc","sort-amount-desc","sort-asc","sort-desc","sort-down","sort-numeric-asc","sort-numeric-desc","sort-up","soundcloud","space-shuttle","spinner","spoon","spotify","square","square-o","stack-exchange","stack-overflow","star","star-half","star-half-empty","star-half-full","star-half-o","star-o","steam","steam-square","step-backward","step-forward","stethoscope","sticky-note","sticky-note-o","stop","stop-circle","stop-circle-o","street-view","strikethrough","stumbleupon","stumbleupon-circle","subscript","subway","suitcase","sun-o","superscript","support","table","tablet","tachometer","tag","tags","tasks","taxi","television","tencent-weibo","terminal","text-height","text-width","th","th-large","th-list","thumb-tack","thumbs-down","thumbs-o-down","thumbs-o-up","thumbs-up","ticket","times","times-circle","times-circle-o","tint","toggle-down","toggle-left","toggle-off","toggle-on","toggle-right","toggle-up","trademark","train","transgender","transgender-alt","trash","trash-o","tree","trello","tripadvisor","trophy","truck","try","tty","tumblr","tumblr-square","turkish-lira","tv","twitch","twitter","twitter-square","umbrella","underline","undo","university","unlink","unlock","unlock-alt","unsorted","upload","usb","usd","user","user-md","user-plus","user-secret","user-times","users","venus","venus-double","venus-mars","viacoin","vimeo","video-camera","vimeo-square","vine","vk","volume-down","volume-off","volume-up","warning","wechat","weibo","weixin","wheelchair","wifi","wikipedia-w","windows","won","wordpress","wrench","xing","xing-square","y-combinator","yahoo","yc","yelp","yen","youtube","youtube-play","youtube-square","american-sign-language-interpreting","asl-interpreting","assistive-listening-systems","audio-description","blind","braille","deaf","deafness","envira","fa","first-order","font-awesome","gitlab","glide","glide-g","google-plus-circle","google-plus-official","hard-of-hearing","instagram","low-vision","pied-piper","question-circle-o","sign-language","signing","snapchat","snapchat-ghost","snapchat-square","themeisle","universal-access","viadeo","viadeo-square","volume-control-phone","wheelchair-alt","wpbeginner","wpforms","yoast","address-book","address-book-o","address-card","address-card-o","bandcamp","bath","bathtub","drivers-license","drivers-license-o","eercast","envelope-open","envelope-open-o","etsy","free-code-camp","grav","handshake-o","id-badge","id-card","id-card-o","imdb","linode","meetup","microchip","podcast","quora","ravelry","s15","shower","snowflake-o","superpowers","telegram","thermometer","thermometer-0","thermometer-1","thermometer-2","thermometer-3","thermometer-4","thermometer-empty","thermometer-full","thermometer-half","thermometer-quarter","thermometer-three-quarters","times-rectangle","times-rectangle-o","user-circle","user-circle-o","user-o","vcard","vcard-o","window-close","window-close-o","window-maximize","window-minimize","window-restore","wpexplorer"],"icons":{"actions":{"id":"play-circle"},"admin":{"id":"cog"},"add":{"id":"plus-circle"},"admin_ads":{"id":"film"},"admin_articles":{"id":"newspaper-o"},"admin_blogs":{"id":"bold"},"admin_calendar":{"id":"calendar"},"admin_category":{"id":"sitemap fa-rotate-270"},"admin_comments":{"id":"comment"},"admin_community":{"id":"group"},"admin_connect":{"id":"link"},"admin_copyright":{"id":"copyright"},"admin_directory":{"id":"folder-o"},"admin_faqs":{"id":"question"},"admin_features":{"id":"power-off"},"admin_fgal":{"id":"folder-open"},"admin_forums":{"id":"comments"},"admin_freetags":{"id":"tags"},"admin_gal":{"id":"file-image-o"},"admin_general":{"id":"cog"},"admin_i18n":{"id":"language"},"admin_intertiki":{"id":"exchange"},"admin_login":{"id":"sign-in"},"admin_user":{"id":"user"},"admin_look":{"id":"image"},"admin_maps":{"id":"map-marker"},"admin_messages":{"id":"envelope-o"},"admin_metatags":{"id":"tag"},"admin_module":{"id":"cogs"},"admin_payment":{"id":"credit-card"},"admin_performance":{"id":"tachometer"},"admin_polls":{"id":"tasks"},"admin_profiles":{"id":"cube"},"admin_rating":{"id":"check-square"},"admin_rss":{"id":"rss"},"admin_score":{"id":"trophy"},"admin_search":{"id":"search"},"admin_semantic":{"id":"arrows-h"},"admin_security":{"id":"lock"},"admin_sefurl":{"id":"search-plus"},"admin_share":{"id":"share-alt"},"admin_socialnetworks":{"id":"thumbs-up"},"admin_stats":{"id":"bar-chart"},"admin_textarea":{"id":"edit"},"admin_trackers":{"id":"database"},"admin_userfiles":{"id":"cog"},"admin_video":{"id":"video-camera"},"admin_webmail":{"id":"inbox"},"admin_webservices":{"id":"cog"},"admin_wiki":{"id":"file-text-o"},"admin_workspace":{"id":"desktop"},"admin_wysiwyg":{"id":"file-text"},"admin_print":{"id":"print"},"articles":{"id":"newspaper-o"},"attach":{"id":"paperclip"},"audio":{"id":"file-audio-o"},"back":{"id":"arrow-left"},"background-color":{"id":"paint-brush"},"backlink":{"id":"reply"},"backward_step":{"id":"step-backward"},"box":{"id":"list-alt"},"cart":{"id":"shopping-cart"},"chart":{"id":"area-chart"},"code_file":{"id":"file-code-o"},"collapsed":{"id":"plus-square-o"},"comments":{"id":"comments-o"},"compose":{"id":"pencil"},"computer":{"id":"desktop"},"contacts":{"id":"group"},"content-template":{"id":"file-o"},"create":{"id":"plus"},"delete":{"id":"times"},"difference":{"id":"strikethrough"},"disable":{"id":"minus-square"},"documentation":{"id":"book"},"down":{"id":"sort-desc"},"education":{"id":"graduation-cap"},"envelope":{"id":"envelope-o"},"erase":{"id":"eraser"},"error":{"id":"exclamation-circle"},"excel":{"id":"file-excel-o"},"expanded":{"id":"minus-square-o"},"export":{"id":"download"},"file":{"id":"file-o"},"file-archive":{"id":"folder"},"file-archive-open":{"id":"folder-open"},"floppy":{"id":"floppy-o"},"font-color":{"id":"font","class":"text-danger"},"forward_step":{"id":"step-forward"},"fullscreen":{"id":"arrows-alt"},"h1":{"id":"header"},"h2":{"id":"header","size":".9"},"h3":{"id":"header","size":".8"},"help":{"id":"question-circle"},"history":{"id":"clock-o"},"horizontal-rule":{"id":"minus"},"html":{"id":"html5"},"image":{"id":"file-image-o"},"import":{"id":"upload"},"index":{"id":"spinner"},"information":{"id":"info-circle"},"keyboard":{"id":"keyboard-o"},"like":{"id":"thumbs-up"},"link-external":{"id":"external-link"},"link-external-alt":{"id":"external-link-square"},"list-numbered":{"id":"list-ol"},"listgui_display":{"id":"desktop"},"listgui_filter":{"id":"filter"},"listgui_format":{"id":"indent"},"listgui_pagination":{"id":"book"},"listgui_output":{"id":"eye"},"listgui_column":{"id":"columns"},"listgui_tablesorter":{"id":"table"},"listgui_icon":{"id":"user"},"listgui_body":{"id":"align-justify"},"listgui_carousel":{"id":"slideshare"},"listgui_sort":{"id":"sort-alpha-desc"},"listgui_wikitext":{"id":"file-text-o"},"listgui_caption":{"id":"align-center"},"log":{"id":"history"},"login":{"id":"sign-in"},"logout":{"id":"sign-out"},"mailbox":{"id":"inbox"},"menu":{"id":"bars"},"menu-extra":{"id":"chevron-down"},"menuitem":{"id":"angle-right"},"merge":{"id":"random"},"minimize":{"id":"compress"},"module":{"id":"cogs"},"more":{"id":"ellipsis-h"},"move":{"id":"exchange"},"next":{"id":"arrow-right"},"notepad":{"id":"file-text-o"},"notification":{"id":"bell-o"},"off":{"id":"power-off"},"ok":{"id":"check-circle"},"page-break":{"id":"scissors"},"pdf":{"id":"file-pdf-o"},"permission":{"id":"key"},"plugin":{"id":"puzzle-piece"},"popup":{"id":"list-alt"},"post":{"id":"pencil"},"powerpoint":{"id":"file-powerpoint-o"},"previous":{"id":"arrow-left"},"quotes":{"id":"quote-left"},"ranking":{"id":"sort-numeric-asc"},"screencapture":{"id":"camera"},"selectall":{"id":"file-text"},"settings":{"id":"wrench"},"sharethis":{"id":"share-alt"},"smile":{"id":"smile-o"},"sort-down":{"id":"sort-desc"},"sort-up":{"id":"sort-asc"},"star-empty":{"id":"star-o"},"star-empty-selected":{"id":"star-o","class":"text-success"},"star-half-rating":{"id":"star-half-full"},"star-half-selected":{"id":"star-half-full","class":"text-success"},"star-selected":{"id":"star","class":"text-success"},"status-open":{"id":"circle","style":"color:green"},"status-pending":{"id":"adjust","style":"color:orange"},"status-closed":{"id":"times-circle-o","style":"color:grey"},"stop-watching":{"id":"eye-slash"},"structure":{"id":"sitemap"},"success":{"id":"check"},"textfile":{"id":"file-text-o"},"three-d":{"id":"cube"},"time":{"id":"clock-o"},"title":{"id":"text-width"},"toggle-off":{"id":"toggle-off"},"toggle-on":{"id":"toggle-on"},"trackers":{"id":"database"},"translate":{"id":"language"},"trash":{"id":"trash-o"},"unlike":{"id":"thumbs-down"},"up":{"id":"sort-asc"},"video":{"id":"file-video-o"},"video_file":{"id":"file-video-o"},"vimeo":{"id":"vimeo-square"},"view":{"id":"search-plus"},"warning":{"id":"exclamation-triangle"},"watch":{"id":"eye"},"watch-group":{"id":"group"},"wiki":{"id":"file-text-o"},"wizard":{"id":"magic"},"word":{"id":"file-word-o"},"wysiwyg":{"id":"file-text"},"zip":{"id":"file-zip-o"}},"tag":"span","prepend":"fa fa-","append":" fa-fw","rotate":{"90":" fa-rotate-90","180":" fa-rotate-180","270":" fa-rotate-270","horizontal":" fa-flip-horizontal","vertical":" fa-flip-vertical"}} var zoomToFoundLocation = "street"; var bootstrapButton; if (typeof $.fn.button.noConflict === "function") { bootstrapButton = $.fn.button.noConflict() // return $.fn.button to previously assigned value $.fn.bootstrapBtn = bootstrapButton // give $().bootstrapBtn the Bootstrap functionality } // js 2 function inArray(item, array) { for (var i in array) { if (array[i] === item) { return i; } } return false; } var allTimeZoneCodes = ["ACDT","ACST","ACT","ACWDT","ACWST","ADDT","ADT","AEDT","AEST","AFT","AHDT","AHST","AKDT","AKST","AKTST","AKTT","ALMST","ALMT","AMST","AMT","ANAST","ANAT","ANT","APT","AQTST","AQTT","ARST","ART","ASHST","ASHT","AST","AWDT","AWST","AWT","AZOMT","AZOST","AZOT","AZST","AZT","BAKST","BAKT","BDST","BDT","BEAT","BEAUT","BMT","BNT","BORTST","BORT","BOST","BOT","BRST","BRT","BST","BTT","BURT","CANT","CAPT","CAST","CAT","CAWT","CCT","CDDT","CDT","CEMT","CEST","CET","CGST","CGT","CHADT","CHAST","CHDT","CHOST","CHOT","CHUT","CKHST","CKT","CLST","CLT","CMT","COST","COT","CPT","CST","CUT","CVST","CVT","CWT","CXT","CHST","DACT","DAVT","DDUT","DMT","DUSST","DUST","EASST","EAST","EAT","ECT","EDDT","EDT","EEST","EET","EGST","EGT","EHDT","EMT","EPT","EST","EWT","FET","FFMT","FJST","FJT","FKST","FKT","FMT","FNST","FNT","FORT","FRUST","FRUT","GALT","GAMT","GBGT","GEST","GET","GFT","GHST","GILT","GMT","GST","GYT","HADT","HAST","HDT","HKST","HKT","HMT","HOVST","HOVT","HST","ICT","IDDT","IDT","IHST","IMT","IOT","IRDT","IRKST","IRKT","IRST","ISST","IST","JAVT","JCST","JDT","JMT","JST","JWST","KART","KDT","KGST","KGT","KIZST","KIZT","KMT","KOST","KRAST","KRAT","KST","KUYST","KUYT","KWAT","LHDT","LHST","LINT","LKT","LRT","LST","MADMT","MADST","MADT","MAGST","MAGT","MALST","MALT","MART","MAWT","MDDT","MDST","MDT","MHT","MIST","MMT","MOST","MOT","MPT","MSD","MSK","MSM","MST","MUST","MUT","MVT","MWT","MYT","NCST","NCT","NDDT","NDT","NEGT","NEST","NET","NFT","NMT","NOVST","NOVT","NPT","NRT","NST","NUT","NWT","NZDT","NZMT","NZST","OMSST","OMST","ORAST","ORAT","PDDT","PDT","PEST","PETST","PETT","PET","PGT","PHOT","PHST","PHT","PKST","PKT","PLMT","PMDT","PMST","PMT","PNT","PONT","PPMT","PPT","PST","PWT","PYST","PYT","QMT","QYZST","QYZT","RET","RMT","ROTT","SAKST","SAKT","SAMST","SAMT","SAST","SBT","SCT","SDMT","SDT","SGT","SHEST","SHET","SJMT","SMT","SRET","SRT","SST","STAT","SVEST","SVET","SWAT","SYOT","TAHT","TASST","TAST","TBIST","TBIT","TBMT","TFT","TJT","TKT","TLT","TMT","TOST","TOT","TRST","TRT","TSAT","TVT","UCT","ULAST","ULAT","URAST","URAT","UTC","UYHST","UYST","UYT","UZST","UZT","VET","VLAST","VLAT","VOLST","VOLT","VOST","VUST","VUT","WAKT","WARST","WART","WAST","WAT","WEMT","WEST","WET","WFT","WGST","WGT","WIB","WITA","WIT","WMT","WSDT","WSST","XJT","YAKST","YAKT","YDDT","YDT","YEKST","YEKT","YERST","YERT","YPT","YST","YWT","A","B","C","D","E","F","G","H","I","K","L","M","N","O","P","Q","R","S","T","U","V","W","X","Y","ZZZ","Z"]; var now = new Date(); var now_string = now.toString(); var offsethours = - now.getTimezoneOffset() / 60; setCookie("local_tzoffset", offsethours); var m = now_string.match(/[ \(]([A-Z]{3,6})[ \)]?[ \d]*$/); // try three or more char tz first at the end or just before the year if (!m) { m = now_string.match(/[ \(]([A-Z]{1,6})[ \)]?[ \d]*$/); // might be a "military" one if not } if (m) { m = m[1]; } else { // IE (sometimes) gives UTC +offset instead of the abbreviation // sadly this workaround will fail for non-whole hour offsets var hours = - now.getTimezoneOffset() / 60; m = "GMT" + (hours > 0 ? "+" : "") + hours; } // Etc/GMT+ is equivalent to GMT- if (m.substring(0,4) == "GMT+") { m = "Etc/GMT-" + m.substring(4); setCookie("local_tz", m); } if (m.substring(0,4) == "GMT-") { m = "Etc/GMT+" + m.substring(4); setCookie("local_tz", m); } if (inArray(m, allTimeZoneCodes)) { setCookie("local_tz", m); } //--><!]]> </script> <script type="text/javascript"> <!--//--><![CDATA[//><!-- $(document).ready(function(){ // jq_onready 0 $(".convert-mailto").removeClass("convert-mailto").each(function () { var address = $(this).data("encode-name") + "@" + $(this).data("encode-domain"); $(this).attr("href", "mailto:" + address).text(address); }); function formatText(i, p) { var possibleText = $('.tiki-slider-title').eq(i - 1).text(); return (possibleText ? possibleText : 'slide_' + i); } $('.tiki-slider').anythingSlider({ theme : 'cs-portfolio', expand : true, resizeContents : true, showMultiple : 1, easing : 'swing', buildArrows : true, buildNavigation : false, buildStartStop : false, toggleArrows : false, toggleControls : true, startText : 'Start', stopText : 'Stop', forwardText : '»', backText : '«', tooltipClass : 'tooltip', // Function enableArrows : true, enableNavigation : false, enableStartStop : true, enableKeyboard : true, // Navigation startPanel : 1, changeBy : 1, hashTags : true, // Slideshow options autoPlay : true, autoPlayLocked : false, autoPlayDelayed : false, pauseOnHover : true, stopAtEnd : false, playRtl : false, // Times delay : 7000, resumeDelay : 15000, animationTime : 3000, // Video resumeOnVideoEnd : true, addWmodeToObject : 'opaque', navigationFormatter: formatText }); }); //--><!]]> </script> </body></html>