/** * Note: This file may contain artifacts of previous malicious infection. * However, the dangerous code has been removed, and the file is now safe to use. */ /** * @file * Pathologic text filter for Drupal. * * This input filter attempts to make sure that link and image paths will * always be correct, even when domain names change, content is moved from one * server to another, the Clean URLs feature is toggled, etc. */ /** * Implements hook_filter_info(). */ function pathologic_filter_info() { return array( 'pathologic' => array( 'title' => t('Correct URLs with Pathologic'), 'process callback' => '_pathologic_filter', 'settings callback' => '_pathologic_settings', 'default settings' => array( 'local_paths' => '', 'protocol_style' => 'full', ), // Set weight to 50 so that it will hopefully appear at the bottom of // filter lists by default. 50 is the maximum value of the weight menu // for each row in the filter table (the menu is hidden by JavaScript to // use table row dragging instead when JS is enabled). 'weight' => 50, ) ); } /** * Settings callback for Pathologic. */ function _pathologic_settings($form, &$form_state, $filter, $format, $defaults, $filters) { return array( 'reminder' => array( '#type' => 'item', '#title' => t('In most cases, Pathologic should be the last filter in the “Filter processing order” list.'), '#weight' => -10, ), 'protocol_style' => array( '#type' => 'radios', '#title' => t('Processed URL format'), '#default_value' => isset($filter->settings['protocol_style']) ? $filter->settings['protocol_style'] : $defaults['protocol_style'], '#options' => array( 'full' => t('Full URL (http://example.com/foo/bar)'), 'proto-rel' => t('Protocol relative URL (//example.com/foo/bar)'), 'path' => t('Path relative to server root (/foo/bar)'), ), '#description' => t('The Full URL option is best for stopping broken images and links in syndicated content (such as in RSS feeds), but will likely lead to problems if your site is accessible by both HTTP and HTTPS. Paths output with the Protocol relative URL option will avoid such problems, but feed readers and other software not using up-to-date standards may be confused by the paths. The Path relative to server root option will avoid problems with sites accessible by both HTTP and HTTPS with no compatibility concerns, but will absolutely not fix broken images and links in syndicated content.'), '#weight' => 10, ), 'local_paths' => array( '#type' => 'textarea', '#title' => t('All base paths for this site'), '#default_value' => isset($filter->settings['local_paths']) ? $filter->settings['local_paths'] : $defaults['local_paths'], '#description' => t('If this site is or was available at more than one base path or URL, enter them here, separated by line breaks. For example, if this site is live at http://example.com/ but has a staging version at http://dev.example.org/staging/, you would enter both those URLs here. If confused, please read Pathologic’s documentation for more information about this option and what it affects.', array('!docs' => 'http://drupal.org/node/257026')), '#weight' => 20, ), ); } /** * Pathologic filter callback. * * Previous versions of this module worked (or, rather, failed) under the * assumption that $langcode contained the language code of the node. Sadly, * this isn't the case. * @see http://drupal.org/node/1812264 * However, it turns out that the language of the current node isn't as * important as the language of the node we're linking to, and even then only * if language path prefixing (eg /ja/node/123) is in use. REMEMBER THIS IN THE * FUTURE, ALBRIGHT. * * The below code uses the @ operator before parse_url() calls because in PHP * 5.3.2 and earlier, parse_url() causes a warning of parsing fails. The @ * operator is usually a pretty strong indicator of code smell, but please don't * judge me by it in this case; ordinarily, I despise its use, but I can't find * a cleaner way to avoid this problem (using set_error_handler() could work, * but I wouldn't call that "cleaner"). Fortunately, Drupal 8 will require at * least PHP 5.3.5, so this mess doesn't have to spread into the D8 branch of * Pathologic. * @see https://drupal.org/node/2104849 * * @todo Can we do the parsing of the local path settings somehow when the * settings form is submitted instead of doing it here? */ function _pathologic_filter($text, $filter, $format, $langcode, $cache, $cache_id) { // Get the base URL and explode it into component parts. We add these parts // to the exploded local paths settings later. global $base_url; $base_url_parts = @parse_url($base_url . '/'); // Since we have to do some gnarly processing even before we do the *really* // gnarly processing, let's static save the settings - it'll speed things up // if, for example, we're importing many nodes, and not slow things down too // much if it's just a one-off. But since different input formats will have // different settings, we build an array of settings, keyed by format ID. $cached_settings = &drupal_static(__FUNCTION__, array()); if (!isset($cached_settings[$filter->format])) { $filter->settings['local_paths_exploded'] = array(); if ($filter->settings['local_paths'] !== '') { // Build an array of the exploded local paths for this format's settings. // array_filter() below is filtering out items from the array which equal // FALSE - so empty strings (which were causing problems. // @see http://drupal.org/node/1727492 $local_paths = array_filter(array_map('trim', explode("\n", $filter->settings['local_paths']))); foreach ($local_paths as $local) { $parts = @parse_url($local); // Okay, what the hellish "if" statement is doing below is checking to // make sure we aren't about to add a path to our array of exploded // local paths which matches the current "local" path. We consider it // not a match, if… // @todo: This is pretty horrible. Can this be simplified? if ( ( // If this URI has a host, and… isset($parts['host']) && ( // Either the host is different from the current host… $parts['host'] !== $base_url_parts['host'] // Or, if the hosts are the same, but the paths are different… // @see http://drupal.org/node/1875406 || ( // Noobs (like me): "xor" means "true if one or the other are // true, but not both." (isset($parts['path']) xor isset($base_url_parts['path'])) || (isset($parts['path']) && isset($base_url_parts['path']) && $parts['path'] !== $base_url_parts['path']) ) ) ) || // Or… ( // The URI doesn't have a host… !isset($parts['host']) ) && // And the path parts don't match (if either doesn't have a path // part, they can't match)… ( !isset($parts['path']) || !isset($base_url_parts['path']) || $parts['path'] !== $base_url_parts['path'] ) ) { // Add it to the list. $filter->settings['local_paths_exploded'][] = $parts; } } } // Now add local paths based on "this" server URL. $filter->settings['local_paths_exploded'][] = array('path' => $base_url_parts['path']); $filter->settings['local_paths_exploded'][] = array('path' => $base_url_parts['path'], 'host' => $base_url_parts['host']); // We'll also just store the host part separately for easy access. $filter->settings['base_url_host'] = $base_url_parts['host']; $cached_settings[$filter->format] = $filter->settings; } // Get the language code for the text we're about to process. $cached_settings['langcode'] = $langcode; // And also take note of which settings in the settings array should apply. $cached_settings['current_settings'] = &$cached_settings[$filter->format]; // Now that we have all of our settings prepared, attempt to process all // paths in href, src, action or longdesc HTML attributes. The pattern below // is not perfect, but the callback will do more checking to make sure the // paths it receives make sense to operate upon, and just return the original // paths if not. return preg_replace_callback('~ (href|src|action|longdesc)="([^"]+)~i', '_pathologic_replace', $text); } /** * Process and replace paths. preg_replace_callback() callback. */ function _pathologic_replace($matches) { // Get the base path. global $base_path; // Get the settings for the filter. Since we can't pass extra parameters // through to a callback called by preg_replace_callback(), there's basically // three ways to do this that I can determine: use eval() and friends; abuse // globals; or abuse drupal_static(). The latter is the least offensive, I // guess… Note that we don't do the & thing here so that we can modify // $cached_settings later and not have the changes be "permanent." $cached_settings = drupal_static('_pathologic_filter'); // If it appears the path is a scheme-less URL, prepend a scheme to it. // parse_url() cannot properly parse scheme-less URLs. Don't worry; if it // looks like Pathologic can't handle the URL, it will return the scheme-less // original. // @see https://drupal.org/node/1617944 // @see https://drupal.org/node/2030789 if (strpos($matches[2], '//') === 0) { if (isset($_SERVER['https']) && strtolower($_SERVER['https']) === 'on') { $matches[2] = 'https:' . $matches[2]; } else { $matches[2] = 'http:' . $matches[2]; } } // Now parse the URL after reverting HTML character encoding. // @see http://drupal.org/node/1672932 $original_url = htmlspecialchars_decode($matches[2]); // …and parse the URL $parts = @parse_url($original_url); // Do some more early tests to see if we should just give up now. if ( // If parse_url() failed, give up. $parts === FALSE || ( // If there's a scheme part and it doesn't look useful, bail out. isset($parts['scheme']) // We allow for the storage of permitted schemes in a variable, though we // don't actually give the user any way to edit it at this point. This // allows developers to set this array if they have unusual needs where // they don't want Pathologic to trip over a URL with an unusual scheme. // @see http://drupal.org/node/1834308 // "files" and "internal" are for Path Filter compatibility. && !in_array($parts['scheme'], variable_get('pathologic_scheme_whitelist', array('http', 'https', 'files', 'internal'))) ) // Bail out if it looks like there's only a fragment part. || (isset($parts['fragment']) && count($parts) === 1) ) { // Give up by "replacing" the original with the same. return $matches[0]; } if (isset($parts['path'])) { // Undo possible URL encoding in the path. // @see http://drupal.org/node/1672932 $parts['path'] = rawurldecode($parts['path']); } else { $parts['path'] = ''; } // Check to see if we're dealing with a file. // @todo Should we still try to do path correction on these files too? if (isset($parts['scheme']) && $parts['scheme'] === 'files') { // Path Filter "files:" support. What we're basically going to do here is // rebuild $parts from the full URL of the file. $new_parts = @parse_url(file_create_url(file_default_scheme() . '://' . $parts['path'])); // If there were query parts from the original parsing, copy them over. if (!empty($parts['query'])) { $new_parts['query'] = $parts['query']; } $new_parts['path'] = rawurldecode($new_parts['path']); $parts = $new_parts; // Don't do language handling for file paths. $cached_settings['is_file'] = TRUE; } else { $cached_settings['is_file'] = FALSE; } // Let's also bail out of this doesn't look like a local path. $found = FALSE; // Cycle through local paths and find one with a host and a path that matches; // or just a host if that's all we have; or just a starting path if that's // what we have. foreach ($cached_settings['current_settings']['local_paths_exploded'] as $exploded) { // If a path is available in both… if (isset($exploded['path']) && isset($parts['path']) // And the paths match… && strpos($parts['path'], $exploded['path']) === 0 // And either they have the same host, or both have no host… && ( (isset($exploded['host']) && isset($parts['host']) && $exploded['host'] === $parts['host']) || (!isset($exploded['host']) && !isset($parts['host'])) ) ) { // Remove the shared path from the path. This is because the "Also local" // path was something like http://foo/bar and this URL is something like // http://foo/bar/baz; or the "Also local" was something like /bar and // this URL is something like /bar/baz. And we only care about the /baz // part. $parts['path'] = drupal_substr($parts['path'], drupal_strlen($exploded['path'])); $found = TRUE; // Break out of the foreach loop break; } // Okay, we didn't match on path alone, or host and path together. Can we // match on just host? Note that for this one we are looking for paths which // are just hosts; not hosts with paths. elseif ((isset($parts['host']) && !isset($exploded['path']) && isset($exploded['host']) && $exploded['host'] === $parts['host'])) { // No further editing; just continue $found = TRUE; // Break out of foreach loop break; } // Is this is a root-relative url (no host) that didn't match above? // Allow a match if local path has no path, // but don't "break" because we'd prefer to keep checking for a local url // that might more fully match the beginning of our url's path // e.g.: if our url is /foo/bar we'll mark this as a match for // http://example.com but want to keep searching and would prefer a match // to http://example.com/foo if that's configured as a local path elseif (!isset($parts['host']) && (!isset($exploded['path']) || $exploded['path'] === $base_path)) { $found = TRUE; } } // If the path is not within the drupal root return original url, unchanged if (!$found) { return $matches[0]; } // Okay, format the URL. // If there's still a slash lingering at the start of the path, chop it off. $parts['path'] = ltrim($parts['path'],'/'); // Examine the query part of the URL. Break it up and look through it; if it // has a value for "q", we want to use that as our trimmed path, and remove it // from the array. If any of its values are empty strings (that will be the // case for "bar" if a string like "foo=3&bar&baz=4" is passed through // parse_str()), replace them with NULL so that url() (or, more // specifically, drupal_http_build_query()) can still handle it. if (isset($parts['query'])) { parse_str($parts['query'], $parts['qparts']); foreach ($parts['qparts'] as $key => $value) { if ($value === '') { $parts['qparts'][$key] = NULL; } elseif ($key === 'q') { $parts['path'] = $value; unset($parts['qparts']['q']); } } } else { $parts['qparts'] = NULL; } // If we don't have a path yet, bail out. if (!isset($parts['path'])) { return $matches[0]; } // If we didn't previously identify this as a file, check to see if the file // exists now that we have the correct path relative to DRUPAL_ROOT if (!$cached_settings['is_file']) { $cached_settings['is_file'] = !empty($parts['path']) && is_file(DRUPAL_ROOT . '/'. $parts['path']); } // Okay, deal with language stuff. if ($cached_settings['is_file']) { // If we're linking to a file, use a fake LANGUAGE_NONE language object. // Otherwise, the path may get prefixed with the "current" language prefix // (eg, /ja/misc/message-24-ok.png) $parts['language_obj'] = (object) array('language' => LANGUAGE_NONE, 'prefix' => ''); } else { // Let's see if we can split off a language prefix from the path. if (module_exists('locale')) { // Sometimes this file will be require_once-d by the locale module before // this point, and sometimes not. We require_once it ourselves to be sure. require_once DRUPAL_ROOT . '/includes/language.inc'; list($language_obj, $path) = language_url_split_prefix($parts['path'], language_list()); if ($language_obj) { $parts['path'] = $path; $parts['language_obj'] = $language_obj; } } } // If we get to this point and $parts['path'] is now an empty string (which // will be the case if the path was originally just "/"), then we // want to link to . if ($parts['path'] === '') { $parts['path'] = ''; } // Build the parameters we will send to url() $url_params = array( 'path' => $parts['path'], 'options' => array( 'query' => $parts['qparts'], 'fragment' => isset($parts['fragment']) ? $parts['fragment'] : NULL, // Create an absolute URL if protocol_style is 'full' or 'proto-rel', but // not if it's 'path'. 'absolute' => $cached_settings['current_settings']['protocol_style'] !== 'path', // If we seem to have found a language for the path, pass it along to // url(). Otherwise, ignore the 'language' parameter. 'language' => isset($parts['language_obj']) ? $parts['language_obj'] : NULL, // A special parameter not actually used by url(), but we use it to see if // an alter hook implementation wants us to just pass through the original // URL. 'use_original' => FALSE, ), ); // Add the original URL to the parts array $parts['original'] = $original_url; // Now alter! // @see http://drupal.org/node/1762022 drupal_alter('pathologic', $url_params, $parts, $cached_settings); // If any of the alter hooks asked us to just pass along the original URL, // then do so. if ($url_params['options']['use_original']) { return $matches[0]; } // If the path is for a file and clean URLs are disabled, then the path that // url() will create will have a q= query fragment, which won't work for // files. To avoid that, we use this trick to temporarily turn clean URLs on. // This is horrible, but it seems to be the sanest way to do this. // @see http://drupal.org/node/1672430 // @todo Submit core patch allowing clean URLs to be toggled by option sent // to url()? if (!empty($cached_settings['is_file'])) { $cached_settings['orig_clean_url'] = !empty($GLOBALS['conf']['clean_url']); if (!$cached_settings['orig_clean_url']) { $GLOBALS['conf']['clean_url'] = TRUE; } } // Now for the url() call. Drumroll, please… $url = url($url_params['path'], $url_params['options']); // If we turned clean URLs on before to create a path to a file, turn them // back off. if ($cached_settings['is_file'] && !$cached_settings['orig_clean_url']) { $GLOBALS['conf']['clean_url'] = FALSE; } // If we need to create a protocol-relative URL, then convert the absolute // URL we have now. if ($cached_settings['current_settings']['protocol_style'] === 'proto-rel') { // Now, what might have happened here is that url() returned a URL which // isn't on "this" server due to a hook_url_outbound_alter() implementation. // We don't want to convert the URL in that case. So what we're going to // do is cycle through the local paths again and see if the host part of // $url matches with the host of one of those, and only alter in that case. $url_parts = @parse_url($url); if (!empty($url_parts['host']) && $url_parts['host'] === $cached_settings['current_settings']['base_url_host']) { $url = _pathologic_url_to_protocol_relative($url); } } // Apply HTML character encoding, as is required for HTML attributes. // @see http://drupal.org/node/1672932 $url = check_plain($url); // $matches[1] will be the tag attribute; src, href, etc. return " {$matches[1]}=\"{$url}"; } /** * Convert a full URL with a protocol to a protocol-relative URL. * * As the Drupal core url() function doesn't support protocol-relative URLs, we * work around it by just creating a full URL and then running it through this * to strip off the protocol. * * Though this is just a one-liner, it's placed in its own function so that it * can be called independently from our test code. */ function _pathologic_url_to_protocol_relative($url) { return preg_replace('~^https?://~', '//', $url); } Псевдоисторические взгляды на исторические события | КОММУНИСТИЧЕСКАЯ ПАРТИЯ БЕЛАРУСИ

Псевдоисторические взгляды на исторические события

В связи с очередной годовщиной Победы советского народа в Великой Отечественной войне Белорусское телевидение осуществило заслуживающий всяческого одобрения проект «Символ Победы». Но наряду с достижениями авторов проекта, на мой взгляд, имеют место и отдельные досадные шероховатости.
На экране «Родина-мать» - величественный памятник, возведенный в городе-герое Сталинграде по проекту народного художника СССР, Героя Социалистического Труда Е.В.Вучетича. И вдруг диктор ошарашивает слушателя, вальяжно пренебрежительно заявляя: «проект был одобрен верхушкой страны». Но почему не руководством, а верхушкой? Откуда берется такое хамство? Нас воспитывали в духе уважительного отношения к старшим, в том числе и к государственным деятелям, а автор текста, который, видимо, и родился-то после того, как эта «верхушка» подняла страну на отражение фашистской агрессии, а затем на ее восстановление в короткие сроки после военной разрухи, впитал другие нормы поведения.
Постановщики фильма не позаботились о понятности и доходчивости рассуждений свидетелей отдельных описываемых событий, так как некоторые из них говорят невнятно и неконкретно. Не удалось, например, выяснить, что хотели сказать сценаристы по поводу подвига Марата Казея. Свидетельница гибели героя, которой в то время было 15 лет, так описала это событие, что фактически поставила под сомнение само наличие подвига. А где она была последние 70 лет? И почему не были приведены выводы тех, кто по горячим следам расследовал гибель пионера и представлял его к посмертному присвоению звания Героя Советского Союза?
Знакомство с демонстрацией кадров, связанных с Прибалтикой, вызывает ощущение однобокости показа отдельных событий. Например, освещение торжественной встречи гитлеровцев жителями Риги (даже бутерброды вынесли) может создать впечатление, что фашистов с ликованием встретил весь латышский народ. Было ли это на самом деле? Да, было, но не совсем так. Как свидетельствовали очевидцы этого позора, а автору настоящей статьи приходилось тесно общаться с гражданами Латвии, на улицу высыпала, главным образом, притихшая было буржуазия, выходцы из зажиточных слоев населения, лавочники, и пронемецки настроенные элементы. Трудовой люд, за исключением любопытных зевак, в основной своей массе не встречал фашистов, но зато восторженно встречал впоследствии Красную Армию, изгнавшую оккупантов. Это следовало бы более рельефно подчеркнуть в авторском тексте, ибо недомолвка вредит объективному восприятию. Ведь в сороковые годы еще не были забыты славные традиции латышских стрелков, охранявших первое Советское правительство.
К несчастью, в 1990 году те, кто радостно встречал гитлеровцев в 1941-м, и их потомки приступили к ликвидации Советской власти в прибалтийских государствах, не считаясь с интересами трудящихся. Но и сейчас в Латвии далеко не все оболванены пещерным национализмом. Достаточно вспомнить мужественную борьбу с установившимися в Латвии капиталистическими порядками и националистическими проявлениями Социалистической партии Латвии, возглавляемой А.Рубиксом, и ее сторонников. Далеко не все мирятся с шествиями бывших эсэсовцев, охраняемых полицией.
Поневоле вспомнилось интервью Белорусскому телевидению несколько месяцев назад по поводу Прибалтики российского либерального журналиста Л.Млечина, который с апломбом распространялся о мифах и реальности в истории второй мировой войны и тут же плодил эти мифы. Удивило, что Белорусское телевиденье нашло столь «авторитетного» консультанта для изложения его псевдоисторических взглядов на историю.
Откровенной фальсификацией является его утверждение, что Прибалтика была насильственно присоединена к Советскому Союзу. Этим самым он включился в хор прибалтийских буржуазных националистов, настойчиво доказывающих, что их страны были оккупированы Красной Армией.
Обратимся к историческим фактам. Все Прибалтийские республики до Великой Октябрьской социалистической революции входили в состав Российской империи. После Октября в 1918-1919 годах в них была провозглашена Советская власть, которая в Латвии и Эстонии в связи с немецкой оккупацией продержалась недолго, а Литва, входившая в Литовско-Белорусскую ССР немного дольше, но из-за экспансии панской Польши тоже была ликвидирована. Как раз тогда Польша отторгла от Советской республики западные области Украины и Белоруссии.
В Прибалтийских государствах установился буржуазный строй, а после прихода в Германии к власти Гитлера в Латвии и Эстонии произошли фашистские государственные перевороты. Литовское руководство также заплясало под фашистскую дудку, уступив часть своей территории с Клайпедой Германии и пошло на уступку Польше, необоснованно признав Вильнюс с прилегающей областью польской территорией.
В 1940 году в Прибалтийских республиках сложилась революционная ситуация. В июне произошли революции, реакционные правительства были свергнуты, причем не вооруженным путем. 20 июня в Латвии, 21 июня в Эстонии, примерно в это же время в Литве была провозглашена, а точнее восстановлена Советская власть. Учитывая нарастающую угрозу со стороны Германии, Правительство СССР в июле 1940 года с согласия новых властей направило в эти страны части Красной Армии (как видим, уже после восстановления Советской власти). Фактически была взята под защиту власть трудящихся в Прибалтике. В связи с этим никаких серьезных инцидентов не произошло. Немаловажно и то, что 21 июля полномочные органы власти: Народные сеймы в Литве и Латвии, Народная дума в Эстонии - приняли декларации о провозглашении государств Советскими Социалистическими Республиками и обратились к компетентным государственным органам СССР с просьбой принять эти республики в состав Советского Союза. Верховный Совет СССР в первых числах августа 1940 года удовлетворил просьбу народов Прибалтийских стран о вхождении в состав Союза ССР. Где же здесь насильственное присоединение?
Точно так же не было никакой оккупации этих республик в 1944-1945 годах, когда Красная Армия освобождала их от фашистских захватчиков. В числе освободителей были и национальные воинские формирования республик Прибалтики. Разговоры о мифической оккупации - козни недобитых приспешников гитлеровских головорезов, которых нынешние, зараженные национализмом лидеры стран Прибалтики так бережно лелеют, а также результат деятельности антисоветски и антироссийски настроенных буржуазных националистов, которых достаточно набралось во властных структурах. К сожалению, этого не хочет, да, видимо, и не в состоянии понять Л. Млечин, ввиду определенной идеологической позиции.
Л.Млечин фактически оправдывает националистическое движение на Украине, заявляя, что истоки его в том, что после первой мировой войны одна часть Украины попала под власть Польши, «вторая - под власть большевиков». Слишком уж прост этот его вывод. Автор не удосужился глубже покопаться в истории. Национализм на Украине - явление древнее. Он содержал и классовую подоплеку. Трудящееся население выражало протест не только против национального, но и против классового, а также конфессионального угнетения более сильными нациями. Веками страдали украинцы то от шляхетской Польши, то от Австро-Венгрии (особенно Закарпатье и Галиция), то от Царского самодержавия. Да и турки докучали. А национальную элиту волновали прежде всего амбициозные цели. Не в головах рабочих и крестьян рождались идеи о национальном государстве, о суверенитете и невмешательстве. Большинство же состоятельных националистов успешно вписывались в ряды правящих классов господствующей нации и тоже активно угнетало трудящиеся массы.
Советская власть ликвидировала коренные причины национализма, решительно выступала против его проявлений, сумела создать необходимые условия для расцвета дружбы народов. Однако поскольку это очень болезненное и чувствительное явление, пережитки его сохраняются неопределенно долго. Не случайно В.И.Ленин и И.В.Сталин столь внимательно подходили к национальному вопросу.
Наши идеологические противники прекрасно понимали роль национализма в расшатывании Советского государства, а потому делали ставку на всяческое оживление этого общественного порока. Вспомните откровения М.Тетчер, как Запад делал ставку на статью Конституции СССР о праве выхода союзных республик из Советского Союза, разжигая тем самым национализм и сепаратизм на теперь уже постсоветском пространстве. Как видим, национализм по большей части привносился, да и сейчас привносится извне. Это одна из форм идеологической борьбы. Поэтому утверждение Л.Млечина о причинах национализма на Украине слишком одностороннее, не учитывает всех факторов оживления национализма определенными внешними силами. Именно эти силы достаточно постарались, чтобы активизировать национализм и сепаратизм в Западной Украине и Прибалтике.
Не лишне напомнить, что на территории, которая, по словам Л.Млечина, «попала под власть большевиков», проявления национализма, несмотря на потуги ярых националистов, встречаются намного реже, чем в Западной Украине. Это еще одно доказательство успешного проведения Советской властью эффективной национальной политики на востоке страны и пагубного воздействия на умы населения западных областей националистического агрессивного подполья, созданного еще в годы господства панской Польши и фашистской оккупации усилиями классовых врагов украинского народа при активной поддержке извне.
Самоутверждение Л.Млечина «власть большевиков» некорректно, так как искажает содержание власти в СССР. Власть в Советском Союзе принадлежала трудовому народу в лице Советов депутатов трудящихся. Это не исключало руководящей и направляющей роли Всесоюзной коммунистической партии (большевиков), с 1952 года - КПСС, которая средствами организаторской, политической и идеологической работы сплачивала социалистическое общество, обеспечивала морально-политическое единство и дружбу народов СССР.
Еще один опус: Л.Млечин утверждает: «избавление от сталинизма» породило соблазн переписать историю. Во-первых, неясно, что автор подразумевает под избавлением от «сталинизма», так как такого понятия «сталинизм» в исторической науке не существует. Даже в самых последних российских энциклопедических словарях оно отсутствует. Сам И.В.Сталин не претендовал на свое учение, он всегда считал себя только учеником В.И.Ленина. Неясно и то, когда наступило так называемое автором избавление. Если он имел в виду необъективный доклад Н.С.Хрущева ХХ съезду КПСС и последующие усилия М.С.Горбачева и А.Н.Яковлева, а затем придворных историков Б.Н.Ельцина, то эти старания не привели к ожидаемым ими результатам. Достаточно вспомнить итоги телевизионного проекта «Имя России», в котором И.В.Сталин, несмотря на махинации заинтересованных лиц, занял достойное третье место. И объявленный в России по инициативе кремлевского идеолога В.Суркова год «десталинизации» успешно провалился. Роль И.В.Сталина в революционной борьбе, опыт социалистического строительства в СССР под его руководством, выдающаяся роль вождя в разгроме фашистской Германии общепризнанны и от них «избавиться» невозможно, как бы кому-то этого ни хотелось. Поэтому рано Л.Млечин празднует «избавление от сталинизма».
Во-вторых, попытки недругов СССР переписать историю были и при И.В.Сталине, и до него. В годы второй мировой
войны в этом неблаговидном деле особенно активно подвизался Геббельс. В Советской стране одним из пионеров фальсификации был Н.С.Хрущев.
В-третьих, участившиеся в последние годы попытки фальсификации истории, прежде всего, второй мировой войны, связаны не с «избавлением от сталинизма», а с распадом Советского Союза и гонениями на коммунистическую идеологию, что вызвало резкое ослабление сопротивления этим поползновениям со стороны утвердившихся на постсоветском пространстве антикоммунистических буржуазных режимов, которые сами не прочь извратить историю и стереть из памяти народов добрые воспоминания о советском социализме. Этого и не хочет замечать Л.Млечин. И нашим читателям не помешает объективно оценивать этого «знатока истории». Недавно вышла в свет его очередная антикоммунистическая работа, названная «За что Сталин убил Троцкого», в которой он поет дифирамбы последнему и выставляет И.В.Сталина в необъективном, неприглядном свете. Что после этого можно ожидать путного от такого последовательного либерала, столь ревностно поносящего советское прошлое и советское руководство?

Автор: 
Андрей КОНСТАНТИНОВ
Номер газеты: