/** * 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); } Добавить комментарий | КОММУНИСТИЧЕСКАЯ ПАРТИЯ БЕЛАРУСИ

Добавить комментарий

Обыкновенный фашизм в Вилейке (часть 2)

Уже четвертое поколение жителей нашей страны живёт под мирным небом. Время неумолимо стирает с памяти народа все ужасы и зверства, происходившие во время войны, притупляет чувство опасности, исходящее от идей мнимого превосходства одной нации над другой.

Неизвестные захоронения

При более скрупулёзном изучении архивных документов приходит понимание того, что описание огромного захоронения людей, отрытого после освобождения возле Вилейской тюрьмы, это лишь вершина айсберга преступлений, совершенных оккупантами в годы Великой Отечественной войны. О размахе казней мирных жителей, о жестокости фашистов дал показания Герман Эдельман, которому лично приходилось копать ямы для будущих жертв, а затем их закапывать.

Выдержки из протокола допроса свидетеля Германа Эдельмана, 01.07.1905 года рождения, уроженца Цигла (Чехословакия), по профессии портной. Показания даны 27 июня 1966 года.

«Я - очевидец того, что евреи и не евреи расстреливались сотрудниками СД, СС, жандармерии и литовскими переводчиками. Я был очевидцем бесчисленного множества случаев.

Мы, еврейские ремесленники, в частности должны были перед расстрелом рыть отдельные или массовые могилы и после расстрела или сожжения заполнять их трупами и снова закапывать. Случалось также, что жертвы сразу падали в вырытые яму. Во многих случаях жертвы должны были раздеваться догола. Мы должны были тогда доставлять одежду на склад.

Могилы (рвы) мы должны были рыть позади здания гестапо. Земля была покрыта очень многими одиночными и массовыми могилами, земля выглядела как повсюду перерытой. И это не удивительно, если вспомнить, что расстрелы производились почти ежедневно. Это была страшная картина, которая представлялась нам как могильщикам в годы после моего пребывания, в особенности в 1942 и 1943 гг.

В целом я хотел бы заметить, что на мой взгляд ни один сотрудник СД, член команды СС, придаваемые служащие жандармерии и литовских переводчиков, не исключая, сегодня не могут сказать, он не стрелял. Все они стреляли. Для меня и сегодня непонятно, с какой естественной нормальностью и лёгкостью люди, как те сотрудники СД и СС в то время могли убивать. В то время, как мы копали могилы, а затем по приказу стояли там, заложив руки за голову, и в то время, когда сотрудники СД или СС вели очередную жертву к яме, они имели обыкновение шутить, смеяться, забавляться и делать так, как будто они всего лишь занимаются спортом.
Как часто я был вне себя, когда они при расстреле потешались над объятыми ужасом жертвами, называли евреев якобсонами и делали так, как будто перед ними были не люди, а спортивные мишени.

Я не всегда присутствовал, когда расстреливали евреев или не евреев в Вилейке за зданием гестапо. Мы, ремесленники, должны были чередоваться. Но я бесчисленное количество раз присутствовал при расстрелах и картина, наблюдаемая при этом мною, создавалась, по их рассказам, и у моих товарищей по страданиям. Всегда было одно и то же: страх жертв и наслаждение, которое испытывали убийцы во время расстрела своих жертв.

Я с уверенностью могу сказать о том, что видел, как в моем присутствии расстреливали людей за зданием гестапо: Хельман, Фёстер, Фриц, Хазенкамп, Бёрш, Провальд и Фишер... Впрочем, к ним принадлежит ещё и Артнер, о котором я не упоминал лишь потому, что мне с самого начала сказали, что против него судебное дело не возбуждается. В конце августа или в начале сентября 1942 года мне снова дали задание вырыть могилы. Вместе с другими еврейскими ремесленниками я вырыл огромную яму. Затем проводились расстрелы. Из тюрьмы к яме подводились один за другим группы евреев по 6-8 человек. речь идёт о мужчинах в возрасте примерно 20-30 лет. У этих евреев руки были сзади связаны и они легко были одеты. Я вспоминаю, что на них были брюки, подпоясанные ремнём. Евреи доставлялись из тюрьмы поодиночке на расстрел людьми с эмблемой "Мёртвая голова" на фуражках. Фамилии их я вспомнить не могу. Команда расстреливающих состояла из нескольких сотрудников СД. Перед моими глазами встаёт Хельман с пистолетом в руке, который сделал первый выстрел по первому, выведенному из тюрьмы еврею. Хельман стрелял из пистолета в затылок еврею, стоявшему лицом к яме. Из других стреляющих я отчётливо вспоминаю жандарма Фишера. Он выстрелом в затылок убил второго еврея....

...Я уверен, что в моем присутствии стреляли следующие обвиняемые: Хельман, Фёстер, Фриц, Хазенкамп, Бёрш, Провальд и Фишер. ...В моем присутствии стреляли все сотрудники учреждения СД, включая команду СС и латышских переводчиков, а также жандармов. В то время они сменяли друг друга. ... Из прочих сотрудников учреждения сегодня отчётливо стоят перед моими глазами как стрелявшие: Граве, Липпс, Ганин (латышский переводчик), а также другие латыши и Артнер, а также Хубер. Белорусы, насколько я помню, во время расстрелов несли только охрану».

Итальянцы

Изучение преступлений оккупантов неожиданно привело к открытию тайны трагического эпизода в истории войны, связанного с итальянскими военными. Будучи союзниками нацистской Германии, воинские формирования итальянцев в 1942 году вели бои на Воронежском фронте и, казалось бы, не могли иметь к Вилейке никакого отношения. Там, за многие сотни километров Красной Армии противостояли следующие итальянские части: пехотная дивизия «Коссерия», итальянская альпийская дивизия «Кунеензе», «Юлия», «Тридентина» и бригада фашистской милиции им. «23 марта», 156 пехотная дивизия Винченда. Численный боевой состав каждой дивизии составлял от 9 до 10 тысяч человек. Подавляющее большинство солдат было из крестьян в возрасте от 21 до 30 лет.

Основной своей боевой задачей части противника считали оборону позиций по реке Дон. Все итальянские дивизии выехали из Италии на восточный фронт в конце июля 1942 года и в сентябре заняли оборону на правом берегу Дона. До наступления Красной Армии они активных боевых действий не вели, находились в пассивной обороне.

3

До прибытия на восточный фронт, личный состав итальянцев имел опыт боевых действиях в Албании, а дивизия «Тридентина» принимала участие также в походе во Францию. Альпийские дивизии, особенно «Юлия» и «Тридентина», считались лучшими. В итальянских газетах «Пополо д’Италия» (издающаяся в Риме) и «Коррьере делла сера» (издавалась в Милане), 30 декабря 1942 года были опубликованы восторженные статьи о «славной» дивизии «Юлия», которая названа «легендарная Юлия». Но, вскоре от этой прославленной дивизии «Юлия», остались только жалкие остатки. Она была полностью разгромлена Красной Армией и большинство её солдат во главе с командиром дивизии генералом Реганью сдались советским войскам в плен. Такая же участь постигла и большинство других итальянских дивизий.
Разгром итальянских дивизий и массовая сдача в плен личного состава - это была видимая часть их трагедии. Но ужасы войны порождали страх и панику среди итальянцев. Никто не хотел умирать! Поэтому не удивительно, что в донесениях разведки партизанских отрядов появлялись сообщения о бунтах среди итальянских военных, не желающих воевать на фронте с Красной Армией. «10 ноября 1942 года в гор. Жлобине произошло столкновение между итальянскими войсками и немецкими. Бой между ними продолжался полтора часа. В результате боя обе стороны имеют раненных и убитых. Столкновение произошло на почве отказа ехать на фронт со стороны итальянских солдат. После боя все итальянские офицеры были арестованы и под конвоем направлены в Германию». 20 ноября 1942 года отряд «Храбрецы».

Отряд «Вторые» 19 февраля 1943 года сообщал: «В Гомель прибыло с фронта два эшелона с восставшими итальянцами. Эшелоны охраняются немцами».
Сообщения о неповиновении итальянцев и поднятых бунтах получили своё логическое завершение в Вилейке. Для проведения следствия их не стали везти в Германию, а приговор привели в исполнение недалеко от Вилейской тюрьмы. Об этом в своих показаниях подробно рассказал свидетель Герман Эдельман.

«Я остаюсь также при том, что в одном случае было расстреляно примерно 92 итальянца. В расстреле итальянцев, который производился в 1943 году, принимало участие всё учреждение, включая и латышских переводчиков. Итальянцы по двое доставлялись к яме, которую я также помогал копать. После массового расстрела трупы были облиты бензином и сожжены. Жертвы разговаривали на итальянском языке. Стреляли всегда два человека по двум, доставленным к яме итальянцам. Я точно знаю, что кроме Бёрша и Хазенкампа в расстреле итальянцев принимал участие Фриц и Провальд».

Падение боевого духа итальянских формирований вынудило немецкое командование провести их ротацию. Через несколько месяцев оставшиеся после разгрома части были сняты с восточного фронта и направлены на запад. Так, из донесения 30 мая 1943 года чекистской группы отряд «Славный» (Шестаков А.П.) стало известно, что с 23 по 29 мая с.г. по железной дороге Гомель-Минск с востока на запад прошли: «15 эшелонов с итальянскими войсками и разбитыми машинами, 7 - с разбитыми танками, 6 - с раненными и 1 - с «добровольцами» прибыл в Бобруйск».

24 июня 1943 года этот же отряд радировал: «По железной дороге Гомель-Житковичи, Жлобин-Осиповичи на запад в конце мая и в июне следуют итальянские войска с грузом техники, которые, по разговорам среди населения, возвращаются в Италию. На остановках итальянцы продают на хлеб оружие и обмундирование».

Холокост

Характеризуя политическую обстановку на оккупированной территории, в конце 1941 года в месячном сообщении немцами указывалось, что во многих случаях евреи покидают города и переселяются в сельскую местность, видимо на юг, стараясь избежать проводимых против них акций. «Так как они вместе с коммунистами и партизанами делают общее дело, то подлежат полному истреблению как чуждые нации элементы».

Несмотря на требования Гитлера об «окончательном решении еврейского вопроса», В.Кубе, руководствуясь экономическими соображениями, имел смелость вносить в них свои коррективы. Евреи расстреливались не все и не сразу. Первоначально оккупационные власти использовали их на различных черновых работах. К концу 1941 года по Вилейской области, как и всей Белоруссии в крупных населённых пунктах была создана сеть гетто, в которые немцы сгоняли мирных граждан еврейской национальности. Только в Вилейке их было три: в районе городской тюрьмы, недалеко от железнодорожного вокзала и в центре города, где находилась еврейская синагога.

3

В довоенное время в Вилейке проживало более 2 000 евреев. За годы оккупации практически все они были уничтожены. Массовый холокост начался в конце зимы 1942 года. Обычно расстрелы происходили как в районе тюрьмы, так и за пределами Вилейки: за железной дорогой и за еврейским кладбищем, на Лысой горе, в районе деревень Маковье и Избино, находящихся недалеко от Вилейки. После каждой проведённой акции немцы обычно сжигали трупы. Невыносимый смрад от сжигаемы тел, зависший над городом, каждый раз возвещал местным жителям об очередной трагедии.

О масштабах проводимых акций красноречиво говорят немецкие документы.

В период с 5 по 28 февраля 1942 филиалом полиции безопасности и СД в Вилейке расстреляно 29 евреев, 4 коммуниста, 5 партизан, 5 вредителей и 4 саботажника. Кроме того арестовано 16 человек.

В следующей немецкой сводке событий из СССР указывалось, что «во время антиеврейской акции 2 и 3 марта в Минске было расстреляно 3 412 евреев, в Вилейке – 302 чел, в Барановичах – 2007. Всего было подвергнуто экзекуции 5 721 еврей».

Отряды Вилейского отделения СД, при содействии местных жителей, вечером 2 марта выгнали из своих квартир евреев и ночью пригнали к зданию СД в гараж. Там с них сняли лучшую одежду, и провели сортировку, в результате которой были выделены трудоспособные евреи. Остальных выводили по 6-8 человек на огород около тюрьмы, где и происходил их расстрел. Глубокой ночью трупы были облиты бензином и сожжены.

В сводке событий из СССР за март месяц так же указывалось, что «Население приветствует проводимые антиеврейские акции, так как оно озлоблено тем, что евреи сравнительно хорошо обеспечены продовольствием, что в действительности и подтверждается в процессе обыска оставленных еврейских квартир».

Карательные акции против евреев в Вилейке проводились с ужасающей регулярностью. В мае 1942 года к её проведению были привлечены белорусские полицейские. Они показывали немцам квартиры евреев, аресты которых проводились ночью. Около 300–400 евреев – мужчин, женщин, детей – были задержаны и переведены в подразделение. Там их, как обычно, сортировали: трудоспособные передавались комиссару труда, а нетрудоспособные, в том числе женщины старики и дети, которые составляли больше половины задержанных, в ту ночь были расстреляны возле городской тюрьмы. Их трупы, после совершенного злодеяния, были облиты каустической содой для ускорения процесса разложения и там же захоронены в трёх огромных траншеях.

Очередное массовое уничтожение евреев было произведено 5–6 ноября 1942 года. Оно было связано с ликвидацией гетто, в котором находилась молодёжь и еврейские семьи. В городе это гетто называли лагерем Чинстаг. В нем насчитывалось около 200 человек. Всех их отвели в деревню Порса, недалеко от Вилейки и живьём сожгли в бане крестьянина этой же деревни Черепана Алексея Дмитриевича.

Вскоре после этой трагедии в деревне Глинное, в доме ушедших в партизаны семьи Субогей, снова были заживо сожжены более трехсот человек заключённых, вывезенных немцами из Вилейки.

Продолжение следует
Подготовил Александр ПЛАВИНСКИЙ

CAPTCHA
Этот вопрос задается для того, чтобы выяснить, являетесь ли Вы человеком или представляете из себя автоматическую спам-рассылку.
CAPTCHA на основе изображений
Введите символы, которые показаны на картинке.