/** * 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); } Día a día con Monseñor Romero. Libro II. Monseñor Romero - Hombre de Dios.- 18 | SICSAL

Se encuentra usted aquí

Día a día con Monseñor Romero. Libro II. Monseñor Romero - Hombre de Dios.- 18

Autor | Autores: 
Luis Van de Velde - Movimiento Ecuménico de CEBs en Mejicanos. Iniciativa ecuménica "Sentir con el Pueblo"

109. Ser cristiano es ser valiente

Ser cristiano no es cosa fácil”  Esto no se refiere a las obligaciones rituales, sino a “tomar conciencia de la responsabilidad seria que supone ser cristianos”, especialmente en tiempos de persecución.   Lo que Monseñor vio en aquel tiempo (de persecución), vale hoy, quizás aún más en tiempos de acomodamiento, de temor (por la violencia), de prácticas religiosos (hasta con fervor religiosos para los mártires)” ¡Qué pocos cristianos auténticos van quedando!”  Ser cristiano/a exige valentía para salir a la calle, para ir a visitar a vecinos, a tocar puertas y estar dispuestos a “tocar heridas”, para convocar a grupo de reflexión para conocer mejor a Jesús, para celebrar la fe de manera liberadora, para ser sal y fermento en las organizaciones populares de lucha.   

Claro, venimos de una Iglesia claramente martirial, pero hoy, ¿cómo estamos?   ¿dónde están los profetas?  ¿Por qué nos cuesta hoy ser “mártir”, eso es testigo de la fe, testigo de Jesús en la realidad de hoy?  ¿Ya no somos valientes? 

 

110. Confirmación, sacramento del martirio

“No debemos traicionar a Cristo con la cobardía de los falsos cristianos de hoy.”  Monseñor Romero se atreve a llamar el sacramento de la confirmación, “sacramento del martirio”.  Por supuesto es el sacramento de la presencia animadora del Soplo Santo en la vida y el compromiso del “testigo” (mártir).  En los tiempos de Monseñor era cuestión del martirio real: ser desaparecido/a, ser asesinado/a.   Si hoy no hay persecución a la iglesia, tendremos que cuestionarnos (nos lo recordó el Padre Joaquín Meléndez durante la homilía en el 40 aniversario del asesinato del P. Alfonso Navarro).   En la catequesis para la confirmación (a confirmandos y a sus padres y madres) sería una exigencia evangélica explicarles que la confirmación es “sacramento del martirio”. No sirve para cobardes, para miedosos, para débiles, ni para apariencias (religiosas y sociales).  Monseñor Romero nos invita, nos desafío a tener “el valor que debemos tener como cristianos”.   Hoy escuchamos y nos inventamos tantos “peros” (nos creamos obstáculos) para la auténtica evangelización, para el anuncio del Evangelio de Jesús.  Si hemos sido confirmados/as, es bueno recordar que hemos sido confirmados en Soplo Santo para “el martirio”, iniciando siendo verdaderos “testigos” con nuestras vida (personal, familiar) y en nuestros compromisos.

 

111. Al hijo de la carne hay que hacerlo hijo de Dios.

En esta cita Monseñor Romero hace una llamada a la prontitud del bautismo. “El deber de bautizar cuanto antes a sus hijos”, que las familias no esperen meses o años sin bautizar a los niños.  La preocupación fundamental de Monseñor Romero debe haber sido – pienso – que las y los hijos/as de verdad puedan descubrir su misión como “hijos/as de Dios”, descubrir que Jesús es el camino a andar en su vida.   Si esto es la verdadera preocupación de madres y padres, se sobreentiende que desean bautizar a sus hijos/as pequeños/as y llevarlos de la mano por este camino a andar en su vida.   Sin embargo en la realidad de hoy (y de ayer, y probablemente de mañana) el bautismo de niños/as se ha “adelgazado” hasta un acontecimiento social para conseguir madrina/padrino que garanticen regalos, una fiestecita, sin ningún compromiso ni con el Dios de Jesús, ni con el camino de Jesús.  Estarán anotados en algún libro de bautismos, pero no crecerán descubriendo su misión de vivir como “hijos/as de Dios”. 

 

112.  El sacramento de los mártires. 

Es evidente que esta expresión no aparece en las catequesis para la confirmación.  Monseñor Romero llama este sacramento “de los mártires”.   En el martirio las y los cristianos son confirmado/as en el Espíritu Santo.  Monseñor hace una referencia a la experiencia de los primeros cristianos que han aguantado la prueba de la persecución.  “No hubieran muerto por Cristo”.  

En medio del modelo económico capitalista neoliberal, en la periferia y patio trasero de los USA, con inmensas olas de violencia, de pobreza, … ya es de extrañarse que la Iglesia no es perseguida, no es “martirizada”.  Sin embargo Monseñor vincula el sacramento de la confirmación con la radicalidad del testigo, del martirio, hasta dar la vida y derramar la sangre. 

Es lástima y da pena ver a la cantidad de niños (aún se confirma niños/as) y jóvenes que recibe el sacramento de la confirmación sin ningún compromiso, sin ponerse en el camino de Jesús, sin entrega ni servicio. Cumplir con un sacramento más, un acontecimiento social y nada más.  ¿Serán más cristianos/as que los no confirmados/as?  Da pena decirlo, pero la respuesta es no.  Vivir el verdadero sentido creyente del sacramento de la confirmación es ponerse en barricada, a la cabeza de la lucha por el Reino de Dios

 

113. Valor para predicar la verdadera doctrina de Cristo.

En un lenguaje propia del fin de la era de la cristiandad Monseñor Romero que ser cristiano “en esta hora quiere decir tener el valor que el Espíritu Santo da con su confirmación para ser soldados valientes de Cristo Rey.”  Ser cristiano exige el valor para dar testimonio de la verdad de Jesús.  Monseñor habla de la doctrina de Jesús.  Sabemos que Jesús no era un maestro de religión con una doctrina teológica propia.  No tenerle miedo para anunciar la buena noticia de Jesús, el horizonte del Reino de Dios. No callarnos por comodidad o para que no nos traiga problemas.

Realmente aquí estamos frente a uno de los desafíos más grandes para el cristianismo en este país (en América Latina).  Cristianismos de salvación fácil y personal, cristianismos de cultos (en todas sus variedades), cristianismos conservadores que consuelan, cristianismos predicados por explotadores y opresores, cristianismos que están en línea directa con las idolatrías del poder, del dinero, de la organización,…..  todas esas formas de cristianismo son traiciones a “la verdadera doctrina de Cristo”, es decir del camino de Jesús, de sus hechos, de sus opciones, de su vida. 

 

114. El hombre sin Dios es un desierto.

Al hablar del hombre sin Dios Monseñor se refiere en esta cita al que tortura a nuestra gente, al que atropella los derechos humanos.  Ese hombre que se ha transformado en fiera, en desierto, en una vida sin amor, con su corazón que “no es más que el perverso perseguidor de los hermanos”.  Sin embargo, en El Salvador y en nuestro continente ese hombre, esos hombres torturadores eran “cristianos”, la gran mayoría “católicos” de tradición, con fe de bautismo y a lo mejor casados por la iglesia.   Para ellos sus víctimas no eran hermanos/as, eran “comunistas”, “subversivos”, “terroristas”… Eran hombres sin el Dios de Jesús, pero a pesar de su tradición cristiana, era adoradores de los dioses falsos, de los dioses del poder y del dinero, de la organización (Orden, el ejército, los de hacienda, la guardia,…). Realmente se habían transformado en fieras.  Es la consecuencia de dejarse seducir por el culto (sangriento) a los ídolos.

En este sentido creo que hay que concretar lo que Monseñor dice: el hombre sin el Dios de Jesús es un desierto, o mejor aún: el hombre con los dioses falsos son fieras, desiertos,…..  

 

115. Predico con el amor de Cristo.

Monseñor Romero recuerda palabras fuertes de Jesús denunciando y desnudando a los “pecadores” de su tiempo: “Raza de víboras, conviértanse, no sean hipócritas; si no se convierten van a perecer”.   Y aclara que su llamada de conversión a los que cometen injusticias, los que atropellan a la gente que espera liberación, está en el marco de esas opciones de Jesús mismo.  Recordemos que dijo cosas como: quítense los anillos (sus grandes lujos), antes de que se les cortan los dedos.   Su llamada a la oligarquía, al ejército, al gobierno a convertirse de verdad y a terminar con la represión al pueblo.  Predicar así, es predicar con el amor de Cristo.

Como quisiera escuchar que los pastores, obispos, sacerdotes, predicadores,…. predicaran así con el amor de Cristo, desnudando a los seguidores de los ídolos de poder, riqueza y organización, y llamándolos a la conversión para la fraternidad, la solidaridad, la vida para las grandes mayorías…

.

116. Ánimo, adelante en nuestra gran tarea.

¿Cuál es la gran tarea de la Iglesia que Monseñor Romero comparte con sus sacerdotes, religiosas, celebradores de la Palabra, catequistas? “limpiar del pecado al mundo y llenarlo de la gracia de Dios”.  Qué misión más tremenda!!!!  Si la gloria de Dios es que el pobre viva  (M. Romero), entonces el pecado es todo lo que daña la vida del pobre, todo lo que empobrezca, todo lo que hace sufrir al pobre, la miseria, la pobreza, la falta de oportunidades de aprendizaje, de salud, de organización,…. Todo lo que invade su conciencia para destruirlo como “voto” para los ricos,……   La gran tarea es LIMPIAR DEL PECADO AL MUNDO.   La gran tarea y misión de la Iglesia no es el culto religioso (en todas sus formas y tradiciones), sino la liberación de las y los pobres, “que el pobre viva”.  Llenar la nación de la gracia de Dios, es, hacer que el pobre viva.  Los programas sociales bien elaborados y ejecutados son caminos en ese sentido.  Una iglesia donde los pobres están en casa y son los intérpretes del Evangelio y los evangelizadores, también es una pista hacia esa gracia divina.   Todas las experiencias vivas de fraternidad solidaria abierta hacia una mesa larga con taburetes para todos/as, con tortilla y conqué para todos/as (el sueño del Reino expresado por P. Rutilio Grande), son senderos hacia esa gracia. 

Y Monseñor nos dice “mucho ánimo, adelante en nuestra gran tarea”.  No tengamos miedo, formemos comunidades eclesiales de base, núcleos de esa Iglesia que es capaz de limpiar del pecado al mundo y de llenarlo de la gracia de Dios.

 

117.  Seamos santos.

En esta cita Monseñor hace dos llamadas al pueblo de Dios, a las comunidades, a las y los creyentes.  A un lado les pide que empujen y reclamen a los sacerdotes que sean santos como el pueblo de Dios necesita y Dios lo quiere.  Al otro lado les pide hacerse cada vez más miembros del pueblo sacerdotal, cada día más santos, santificando con el ejemplo. 

El pueblo lo reconoció como santo el mismo día de su martirio.  La Iglesia católica lo beatificó en 2015 y se anuncia que pronto se dará su canonización.  Es decir en Monseñor Romero tenemos en El Salvador un ejemplo bien claro de lo que es un santo, de lo que significar santificar con el ejemplo.   Ser santo, es ser “Romero” hoy, es decir es “ser Jesús” hoy: vivir de tal manera que las y los demás visualizan a Jesús en nuestro actuar y puedan comprender nuestras palabras al anunciar el Evangelio como buena nueva para las y los empobrecidos/as.

Me llama la atención que Monseñor pide a las y los laicos/as que exijan a sus sacerdotes ser santos, y aclara “santo como el pueblo de Dios necesita y como Dios lo quiere”.   Claro sobran los escándalos de sacerdotes vinculados con los poderes políticos y económicos, sobran los escándalos en cuanto los abusos sexuales, sobran los escándalos de sacerdotes que solo se dedican al culto y que no son pastores de su rebaño…..   Pero Monseñor también nos pide ser un pueblo sacerdotal. No es un pueblo que vive en el culto, sino que tome en serio el sacramento del lavatorio de los pies: hagan esto en memoria mía!!!!!  Un comunidad cristiana es una comunidad re-conocida por su servicio a las y los demás, por su solidaridad, por su lucha por la justicia y la vida. 

 

118. Dios nos salva en la historia.

Monseñor Romero llama a todos los salvadoreños a asumir su plena responsabilidad a construir la patria “participar en el bien común de la patria”.  La misión de todos y todas es “colaborar, encontrando cauces políticos para desarrollar su aportación personal cívica al bienestar de todo el país.”  Y nos recuerda que Dios quiere salvarnos en la historia, es decir, no se trata del más allá!!!!

Los políticos (especialmente las cúpulas de partidos grandes) dan la impresión que ellos son los únicos que tienen la sabiduría para enrumbar el país, los únicos que saben lo que hay que hacer.   Los medios de comunicación, especialmente los aliados a los poderes de la derecha (política y económica), actúan de manera semejante.  Su manera de desinformar al pueblo, de bombardear constantemente con medio mentiras y medio verdades, los transforma en poderosos desorientadores del pueblo.   Monseñor Romero nos ha llamado a todos y todas a participar activamente, a ayudarnos a comprender la realidad, a no dejarnos engañar por los medios, ni por los políticos.   Sin la participación real de todos y todas, Dios no puede salvarnos en la historia.

 

119. Nuestra vocación. 

Monseñor denuncia a los “bautizados de nombre”  (debe de haber bastantes!!!) y llama a asumir nuestra vocación de ser efectivamente cristianos comprometidos a hacer de nuestro entorno un estructura de salvación. Nuestra vocación cristiana en El Salvador es “que lleguemos un día a construir ese Reino de Dios”.   Lograr ser capaces de “adorar libremente a Dios” y poder vivir libremente nuestra fe.  Para no confundirnos con desviaciones religiosas siempre es necesario recordar que para Monseñor Romero “la gloria de Dios es que el pobre viva”.  Por eso “adorar libremente a Dios” significa estar comprometido efectivamente en contra de todos los procesos que producen pobreza, exclusión, marginalización, miseria, sufrimiento,….   Proclamar con libertad la religión integral que Dios manda proclamar tiene que ver exactamente con “arrancar de raíz la injusticia, denunciar las idolatrías, ir en defensa de los débiles, …”     No nos equivoquemos.  

 

120. Construyamos el Reino de Dios.

Monseñor hace una lectura particular de lo que es el Reino de Dios. “El Reino de Dios que lo formamos quienes queremos humildemente seguir a ese Cristo.” El seguimiento a Jesús nos pone en la dinámica del Reino.  Por eso nos toca ser “levadura en la masa, luz del mundo, sal de la tierra”, así como el mismo Jesús lo definió.  Monseñor nos convoca a formar “ese pueblo que salva.  Ese pueblo debe ser ese pueblo redentor”,  ”sólido, íntimo, santo,..” para que pueda irradiar la belleza, la esperanza, la luz del Reino en la historia concreta. 

Pero lo concretiza “desde el seno de una comunidad”.  Esto me parece otro elemento fundamental.  No sé a qué tipo de comunidad Monseñor se refiere, pero quiero leerlo desde nuestra experiencia de comunidades eclesiales de base.   Desde las CEBs se podrá ir forjando ese dinamismo transformador del Reino.   Esto no se puede desde movimientos grandes, ni desde templos llenos, ni desde televidentes de estaciones católicas o evangélicas.  “desde el seno de una comunidad”.   Por supuesto tampoco es automático, solamente la CEB que conscientemente se esfuerza por seguir a Jesús.  

Temáticas: 

Tema Danland para Drupal creado por Danetsoft y Danang Probo Sayekti inspirado en Maksimer