/* * Plugin Name: APCu Object Cache * Description: APCu backend for the WP Object Cache. * Based on Plugin named APCu Object Cache Backend * Plugin URI: https://wordpress.org/plugins/apcu/ * Author: Pierre Schmitz * Author URI: https://pierre-schmitz.com/ * Plugin URI: https://wordpress.org/plugins/apcu/ * * * @Authors James Dugger, Jonathan Bardo * @copyright 2017 GoDaddy Inc. 14455 N. Hayden Road Scottsdale, Arizona */ $oc_logged_in = false; foreach ( $_COOKIE as $k => $v ) { if ( preg_match( '/^comment_author|wordpress_logged_in_[a-f0-9]+|woocommerce_items_in_cart|PHPSESSID_|edd_wp_session|edd_items_in_cartcc_cart_key|ccm_token/', $k ) ) { $oc_logged_in = true; break; } } $oc_blocked_page = ( defined( 'WP_ADMIN' ) || defined( 'DOING_AJAX' ) || defined( 'XMLRPC_REQUEST' ) || 'wp-login.php' === basename( $_SERVER['SCRIPT_FILENAME'] ) ); function wpaas_is_using_apcu() { return version_compare( PHP_VERSION, '5.6.0', '>=' ) && function_exists( 'apcu_fetch' ); } if ( 'cli' !== php_sapi_name() && ! $oc_logged_in && ! $oc_blocked_page && wpaas_is_using_apcu() ) : /** * Save the transients to the DB. The explanation is a bit too long * for code. The tl;dr of it is that we don't have a single 'fast cache' * source yet (like memcached) and so some long lived items like transients * are still best cached in the db and then brought back into APC * * @param string $transient * @param mixed $value * @param int $expire * @param boolean $site = false * * @return bool */ function wpaas_save_transient( $transient, $value, $expire, $site = false ) { global $wp_object_cache, $wpdb; // The 'special' transient option names $transient_timeout = ( $site ? '_site' : '' ) . '_transient_timeout_' . $transient; $transient = ( $site ? '_site' : '' ) . '_transient_' . $transient; // Cap expiration at 24 hours to avoid littering the DB if ( $expire == 0 ) { $expire = 24 * 60 * 60; } // Save to object cache $wp_object_cache->set( $transient, $value, 'options', $expire ); $wp_object_cache->set( $transient_timeout, time() + $expire, 'options', $expire ); // Update alloptions $alloptions = $wp_object_cache->get( 'alloptions', 'options' ); $alloptions[ $transient ] = $value; $alloptions[ $transient_timeout ] = time() + $expire; $wp_object_cache->set( 'alloptions', $alloptions, 'options' ); // Use the normal update option logic if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); if ( $site && is_multisite() ) { $wpdb->query( $wpdb->prepare( "INSERT INTO `{$wpdb->sitemeta}` ( `option_name`, `option_value`, `autoload` ) VALUES ( %s, UNIX_TIMESTAMP( NOW() ) + %d, 'yes' ) ON DUPLICATE KEY UPDATE `option_name` = VALUES ( `option_name` ), `option_value` = VALUES ( `option_value` ), `autoload` = VALUES ( `autoload` );", $transient_timeout, $expire ) ); $wpdb->query( $wpdb->prepare( "INSERT INTO `{$wpdb->sitemeta}` ( `option_name`, `option_value`, `autoload` ) VALUES ( %s, %s, 'no' ) ON DUPLICATE KEY UPDATE `option_name` = VALUES ( `option_name` ), `option_value` = VALUES ( `option_value` ), `autoload` = VALUES ( `autoload` );", $transient, maybe_serialize( $value ) ) ); } else { $wpdb->query( $wpdb->prepare( "INSERT INTO `{$wpdb->options}` (`option_name`, `option_value`, `autoload`) VALUES ( %s, UNIX_TIMESTAMP( NOW() ) + %d, 'yes' ) ON DUPLICATE KEY UPDATE `option_name` = VALUES ( `option_name` ), `option_value` = VALUES ( `option_value` ), `autoload` = VALUES ( `autoload` );", $transient_timeout, $expire ) ); $wpdb->query( $wpdb->prepare( "INSERT INTO `{$wpdb->options}` (`option_name`, `option_value`, `autoload`) VALUES ( %s, %s, 'no' ) ON DUPLICATE KEY UPDATE `option_name` = VALUES ( `option_name` ), `option_value` = VALUES ( `option_value` ), `autoload` = VALUES ( `autoload` );", $transient, maybe_serialize( $value ) ) ); } $wpdb->suppress_errors( $flag ); } return true; } function wpaas_prune_transients() { global $wpdb; if ( ! empty( $wpdb ) && $wpdb instanceof wpdb && function_exists( 'is_main_site' ) && function_exists( 'is_main_network' ) ) { $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); // Lifted straight from schema.php // Deletes all expired transients. // The multi-table delete syntax is used to delete the transient record from table a, // and the corresponding transient_timeout record from table b. $time = time(); $wpdb->query( "DELETE a, b FROM $wpdb->options a, $wpdb->options b WHERE a.option_name LIKE '\_transient\_%' AND a.option_name NOT LIKE '\_transient\_timeout\_%' AND b.option_name = CONCAT( '_transient_timeout_', SUBSTRING( a.option_name, 12 ) ) AND b.option_value < $time" ); if ( is_main_site() && is_main_network() ) { $wpdb->query( "DELETE a, b FROM $wpdb->options a, $wpdb->options b WHERE a.option_name LIKE '\_site\_transient\_%' AND a.option_name NOT LIKE '\_site\_transient\_timeout\_%' AND b.option_name = CONCAT( '_site_transient_timeout_', SUBSTRING( a.option_name, 17 ) ) AND b.option_value < $time" ); } $wpdb->suppress_errors( $flag ); } } /** * If another cache was flushed or updated, sync across all servers / processes using * the database as the authority. This uses the database as the authority for timestamps * as well to avoid drift between servers. * @return void */ function wpaas_init_sync_cache() { global $wpdb; if ( empty( $wpdb ) || ! ( $wpdb instanceof wpdb ) ) { return; } $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $result = $wpdb->get_results( "SELECT option_name, option_value FROM `{$wpdb->options}` WHERE option_name = 'gd_system_last_cache_flush' UNION SELECT 'current_time', UNIX_TIMESTAMP( NOW() ) AS option_value;", ARRAY_A ); $wpdb->suppress_errors( $flag ); if ( empty( $result ) ) { return; } $master_flush = false; foreach ( $result as $row ) { switch ( $row['option_name'] ) { case 'current_time' : $current_time = $row['option_value']; break; case 'gd_system_last_cache_flush' : $master_flush = $row['option_value']; break; } } $local_flush = wp_cache_get( 'gd_system_last_cache_flush' ); if ( false === $local_flush || $local_flush < $master_flush ) { wp_cache_flush( true ); wp_cache_set( 'gd_system_last_cache_flush', $current_time ); } } /** * Start default implementation of object cache */ if ( ! defined( 'WP_APC_KEY_SALT' ) ) { define( 'WP_APC_KEY_SALT', '' ); } function wp_cache_add( $key, $data, $group = '', $expire = 0 ) { global $wp_object_cache; if ( 'transient' == $group ) { wpaas_save_transient( $key, $data, $expire ); return $wp_object_cache->add( "_transient_$key", $data, 'options', $expire ); } elseif ( 'site-transient' == $group ) { wpaas_save_transient( $key, $data, $expire, true ); return $wp_object_cache->add( "_site_transient_$key", $data, 'site-options', $expire ); } else { return $wp_object_cache->add( $key, $data, $group, $expire ); } } function wp_cache_incr( $key, $n = 1, $group = '' ) { global $wp_object_cache; return $wp_object_cache->incr2( $key, $n, $group ); } function wp_cache_decr( $key, $n = 1, $group = '' ) { global $wp_object_cache; return $wp_object_cache->decr( $key, $n, $group ); } function wp_cache_close() { return true; } function wp_cache_delete( $key, $group = '' ) { global $wp_object_cache, $wpdb; if ( 'transient' == $group ) { if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $wpdb->query( $wpdb->prepare( "DELETE FROM `{$wpdb->prefix}options` WHERE option_name IN ( %s, %s );", "_transient_{$key}", "_transient_timeout_{$key}" ) ); $wpdb->suppress_errors( $flag ); } $wp_object_cache->delete( "_transient_timeout_$key", 'options' ); // Update alloptions $alloptions = $wp_object_cache->get( 'alloptions', 'options' ); unset( $alloptions["_transient_$key"] ); unset( $alloptions["_transient_timeout_$key"] ); $wp_object_cache->set( 'alloptions', $alloptions, 'options' ); return $wp_object_cache->delete( "_transient_$key", 'options' ); } elseif ( 'site-transient' == $group ) { if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $table = $wpdb->options; if ( is_multisite() ) { $table = $wpdb->sitemeta; } $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $wpdb->query( $wpdb->prepare( "DELETE FROM `{$table}` WHERE option_name IN ( %s, %s );", "_transient_{$key}", "_transient_timeout_{$key}" ) ); $wpdb->suppress_errors( $flag ); } $wp_object_cache->delete( "_transient_timeout_$key", 'site-options' ); // Update alloptions $alloptions = $wp_object_cache->get( 'alloptions', 'options' ); unset( $alloptions["_site_transient_$key"] ); unset( $alloptions["_site_transient_timeout_$key"] ); $wp_object_cache->set( 'alloptions', $alloptions, 'options' ); return $wp_object_cache->delete( "_site_transient_$key", 'site-options' ); } return $wp_object_cache->delete( $key, $group ); } function wp_cache_flush( $local_flush = false ) { global $wp_object_cache, $wpdb; if ( ! $local_flush ) { if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $wpdb->query( "INSERT INTO `{$wpdb->options}` (`option_name`, `option_value`, `autoload`) VALUES ( 'gd_system_last_cache_flush', UNIX_TIMESTAMP( NOW() ), 'no' ) ON DUPLICATE KEY UPDATE `option_name` = VALUES ( `option_name` ), `option_value` = VALUES ( `option_value` ), `autoload` = VALUES ( `autoload` );" ); $wpdb->suppress_errors( $flag ); } } return $wp_object_cache->flush(); } function wp_cache_get( $key, $group = '', $force = false ) { global $wp_object_cache, $wpdb; if ( 'transient' == $group ) { $alloptions = $wp_object_cache->get( 'alloptions', 'options' ); if ( isset( $alloptions["_transient_$key"] ) && isset( $alloptions["_transient_timeout_$key"] ) && $alloptions["_transient_timeout_$key"] > time() ) { return maybe_unserialize( $alloptions["_transient_$key"] ); } $transient = $wp_object_cache->get( "_transient_$key", 'options', $force ); $timeout = $wp_object_cache->get( "_transient_timeout_$key", 'options', $force ); if ( false !== $transient && ! empty( $timeout ) && $timeout > time() ) { return maybe_unserialize( $transient ); } if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $result = $wpdb->get_results( $wpdb->prepare( "SELECT option_name, option_value FROM `{$wpdb->options}` WHERE option_name IN ( %s, %s ) UNION SELECT 'current_time', UNIX_TIMESTAMP( NOW() ) AS option_value;", "_transient_{$key}", "_transient_timeout_{$key}" ), ARRAY_A ); $wpdb->suppress_errors( $flag ); if ( ! empty( $result ) ) { $transient = false; $timeout = false; $current_time = time(); foreach ( $result as $row ) { switch ( $row['option_name'] ) { case "_transient_$key" : $transient = $row['option_value']; break; case "_transient_timeout_$key" : $timeout = $row['option_value']; break; case 'current_time' : $current_time = $row['option_value']; break; } } if ( false !== $transient && ! empty( $timeout ) && $timeout > $current_time ) { return maybe_unserialize( $transient ); } } } return false; } elseif ( 'site-transient' == $group ) { $transient = $wp_object_cache->get( "_site_transient_$key", 'options', $force ); $timeout = $wp_object_cache->get( "_site_transient_timeout_$key", 'options', $force ); if ( false !== $transient && ! empty( $timeout ) && $timeout > time() ) { return maybe_unserialize( $transient ); } if ( ! empty( $wpdb ) && $wpdb instanceof wpdb ) { $table = $wpdb->options; if ( is_multisite() ) { $table = $wpdb->sitemeta; } $flag = $wpdb->suppress_errors; $wpdb->suppress_errors( true ); $result = $wpdb->get_results( $wpdb->prepare( "SELECT option_name, option_value FROM `{$table}` WHERE option_name IN ( %s, %s ) UNION SELECT 'current_time', UNIX_TIMESTAMP( NOW() ) AS option_value;", "_site_transient_{$key}", "_site_transient_timeout_{$key}" ), ARRAY_A ); $wpdb->suppress_errors( $flag ); if ( ! empty( $result ) ) { $transient = false; $timeout = false; $current_time = time(); foreach ( $result as $row ) { switch ( $row['option_name'] ) { case "_site_transient_$key" : $transient = $row['option_value']; break; case "_site_transient_timeout_$key" : $timeout = $row['option_value']; break; case 'current_time' : $current_time = $row['option_value']; break; } } if ( false !== $transient && ! empty( $timeout ) && $timeout > $current_time ) { return maybe_unserialize( $transient ); } } } return false; } else { return $wp_object_cache->get( $key, $group, $force ); } } function wp_cache_init() { global $wp_object_cache; if ( mt_rand( 1, 100 ) == 42 ) { wpaas_prune_transients(); } add_action( 'muplugins_loaded', 'wpaas_init_sync_cache' ); $wp_object_cache = new APCu_Object_Cache(); } function wp_cache_replace( $key, $data, $group = '', $expire = 0 ) { global $wp_object_cache; return $wp_object_cache->replace( $key, $data, $group, $expire ); } function wp_cache_set( $key, $data, $group = '', $expire = 0 ) { global $wp_object_cache; if ( defined( 'WP_INSTALLING' ) == false ) { if ( 'transient' == $group ) { return wpaas_save_transient( $key, $data, $expire ); } elseif ( 'site-transient' == $group ) { return wpaas_save_transient( $key, $data, $expire, true ); } else { return $wp_object_cache->set( $key, $data, $group, $expire ); } } else { return $wp_object_cache->delete( $key, $group ); } } function wp_cache_switch_to_blog( $blog_id ) { global $wp_object_cache; return $wp_object_cache->switch_to_blog( $blog_id ); } function wp_cache_add_global_groups( $groups ) { global $wp_object_cache; $wp_object_cache->add_global_groups( $groups ); } function wp_cache_add_non_persistent_groups( $groups ) { global $wp_object_cache; $wp_object_cache->add_non_persistent_groups( $groups ); } class GD_APCu_Object_Cache { private $prefix = ''; private $local_cache = array(); private $global_groups = array(); private $non_persistent_groups = array(); private $multisite = false; private $blog_prefix = ''; public function __construct() { global $table_prefix; $this->multisite = is_multisite(); $this->blog_prefix = $this->multisite ? get_current_blog_id() . ':' : ''; $this->prefix = DB_HOST . '.' . DB_NAME . '.' . $table_prefix; } private function get_group( $group ) { return empty( $group ) ? 'default' : $group; } private function get_key( $group, $key ) { if ( $this->multisite && ! isset( $this->global_groups[ $group ] ) ) { return $this->prefix . '.' . $group . '.' . $this->blog_prefix . ':' . $key; } else { return $this->prefix . '.' . $group . '.' . $key; } } public function add( $key, $data, $group = 'default', $expire = 0 ) { $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( function_exists( 'wp_suspend_cache_addition' ) && wp_suspend_cache_addition() ) { return false; } if ( isset( $this->local_cache[ $group ][ $key ] ) ) { return false; } // FIXME: Somehow apcu_add does not return false if key already exists if ( ! isset( $this->non_persistent_groups[ $group ] ) && apcu_exists( $key ) ) { return false; } if ( is_object( $data ) ) { $this->local_cache[ $group ][ $key ] = clone $data; } else { $this->local_cache[ $group ][ $key ] = $data; } if ( ! isset( $this->non_persistent_groups[ $group ] ) ) { return apcu_add( $key, $data, (int) $expire ); } return true; } public function add_global_groups( $groups ) { if ( is_array( $groups ) ) { foreach ( $groups as $group ) { $this->global_groups[ $group ] = true; } } else { $this->global_groups[ $groups ] = true; } } public function add_non_persistent_groups( $groups ) { if ( is_array( $groups ) ) { foreach ( $groups as $group ) { $this->non_persistent_groups[ $group ] = true; } } else { $this->non_persistent_groups[ $groups ] = true; } } public function decr( $key, $offset = 1, $group = 'default' ) { if ( $offset < 0 ) { return $this->incr( $key, abs( $offset ), $group ); } $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( isset( $this->local_cache[ $group ][ $key ] ) && $this->local_cache[ $group ][ $key ] - $offset >= 0 ) { $this->local_cache[ $group ][ $key ] -= $offset; } else { $this->local_cache[ $group ][ $key ] = 0; } if ( isset( $this->non_persistent_groups[ $group ] ) ) { return $this->local_cache[ $group ][ $key ]; } else { $value = apcu_dec( $key, $offset ); if ( $value < 0 ) { apcu_store( $key, 0 ); return 0; } return $value; } } public function delete( $key, $group = 'default', $force = false ) { $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); unset( $this->local_cache[ $group ][ $key ] ); if ( ! isset( $this->non_persistent_groups[ $group ] ) ) { return apcu_delete( $key ); } return true; } public function flush() { $this->local_cache = array(); // TODO: only clear our own entries apcu_clear_cache(); return true; } public function get( $key, $group = 'default', $force = false, &$found = null ) { $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( ! $force && isset( $this->local_cache[ $group ][ $key ] ) ) { $found = true; if ( is_object( $this->local_cache[ $group ][ $key ] ) ) { return clone $this->local_cache[ $group ][ $key ]; } else { return $this->local_cache[ $group ][ $key ]; } } elseif ( isset( $this->non_persistent_groups[ $group ] ) ) { $found = false; return false; } else { $value = @apcu_fetch( $key, $found ); if ( $found ) { if ( $force ) { $this->local_cache[ $group ][ $key ] = $value; } return $value; } else { return false; } } } public function incr2( $key, $offset = 1, $group = 'default' ) { if ( $offset < 0 ) { return $this->decr( $key, abs( $offset ), $group ); } $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( isset( $this->local_cache[ $group ][ $key ] ) && $this->local_cache[ $group ][ $key ] + $offset >= 0 ) { $this->local_cache[ $group ][ $key ] += $offset; } else { $this->local_cache[ $group ][ $key ] = 0; } if ( isset( $this->non_persistent_groups[ $group ] ) ) { return $this->local_cache[ $group ][ $key ]; } else if ( function_exists( 'apcu_inc' ) ) { $value = apcu_inc( $key, $offset ); if ( $value < 0 ) { apcu_store( $key, 0 ); return 0; } return $value; } return false; } public function replace( $key, $data, $group = 'default', $expire = 0 ) { $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( isset( $this->non_persistent_groups[ $group ] ) ) { if ( ! isset( $this->local_cache[ $group ][ $key ] ) ) { return false; } } else { if ( ! isset( $this->local_cache[ $group ][ $key ] ) && ! apcu_exists( $key ) ) { return false; } apcu_store( $key, $data, (int) $expire ); } if ( is_object( $data ) ) { $this->local_cache[ $group ][ $key ] = clone $data; } else { $this->local_cache[ $group ][ $key ] = $data; } return true; } public function reset() { // This function is deprecated as of WordPress 3.5 // Be safe and flush the cache if this function is still used $this->flush(); } public function set( $key, $data, $group = 'default', $expire = 0 ) { $group = $this->get_group( $group ); $key = $this->get_key( $group, $key ); if ( is_object( $data ) ) { $this->local_cache[ $group ][ $key ] = clone $data; } else { $this->local_cache[ $group ][ $key ] = $data; } if ( ! isset( $this->non_persistent_groups[ $group ] ) ) { return apcu_store( $key, $data, (int) $expire ); } return true; } public function stats() { // Only implemented because the default cache class provides this. // This method is never called. echo ''; } public function switch_to_blog( $blog_id ) { $this->blog_prefix = $this->multisite ? $blog_id . ':' : ''; } } if ( function_exists( 'apcu_inc' ) ) { class APCu_Object_Cache extends GD_APCu_Object_Cache { function incr( $key, $offset = 1, $group = 'default' ) { return parent::incr2( $key, $offset, $group ); } } } else { class APCu_Object_Cache extends GD_APCu_Object_Cache { // Blank } } endif;
Warning: Cannot modify header information - headers already sent by (output started at /usr/hosting/oldpics.net/html/wp-content/object-cache.php:1) in /usr/hosting/oldpics.net/html/wp-includes/feed-rss2.php on line 8
Архивы 1970s - Old Pictures https://oldpics.net Historical photos, stories and even more Fri, 02 Oct 2020 10:08:09 +0000 en-US hourly 1 https://wordpress.org/?v=5.9.5 https://oldpics.net/wp-content/uploads/2017/06/cropped-favicon-32x32.png Архивы 1970s - Old Pictures https://oldpics.net 32 32 Rare photos and facts about Sting https://oldpics.net/rare-photos-and-facts-about-sting/ https://oldpics.net/rare-photos-and-facts-about-sting/#comments Fri, 02 Oct 2020 10:08:07 +0000 https://oldpics.net/?p=6038 At first glance, Sting does not look like a person about whom you can tell something unusual or show some unseen photos....

Сообщение Rare photos and facts about Sting появились сначала на Old Pictures.

]]>
At first glance, Sting does not look like a person about whom you can tell something unusual or show some unseen photos. But not for the Oldpics! Moreover, we decided to mention not only Sting photos but a few fantastic videos. And yes, we know that we’re the ‘Old Pictures,’ not the Old Videos.

Sting and Paul McCartney, 1989. McCartney said he would like to be the author of a song like Fields of Gold

Sting and Paul McCartney, 1989. McCartney said he would like to be the author of a song like Fields of Gold

Sting nickname stuck to the musician due to his younger years’ performances in a bee costume (check one those photos below). Well, not precisely a bee, but still wearing a sweater with black and yellow stripes.

By the way, another gifted kid, Neil Tennant, co-founder of the Pet Shop Boys duo, went to the same school with Sting. Neil was only three grades younger.

Check out our collection of Early photos of famous musicians.

Young Sting in the very im

Young Sting in the photo that gave him the nickname for the rest of his life

On October 2, 1951, the singer was born in the north of England in Wallsend’s port city. Like many yet-not-famous-rock-stars, he has tried a million professions: bus conductor, football coach, English teacher. There was a time when he was a tax collector. It was the worst job, according to Sting.

Sting and The Police trio in New York, 1978

Sting and The Police trio in New York, 1978

In the beginning, Sting shared his popularity with two bandmates from The Police. The band released their first album in 1978, and it also featured the early hit “Roxanne” (which was initially born not as a reggae song at all, but as a lullaby for a baby).

Police

The Police

The Police have always appeared in public in the form of ash blondes. And this image has a bright background!

In 1977, the gum manufacturer Wrigley commissioned a commercial and hired a little-known English director, Ridley Scott. The video required an unnamed rock band with dazzling blonde hair. The unknown guys from The Police agreed to participate. The advertisement did not hit the air, but the group decided to use the white-haired image during their performances.

Sting (center) during the game in the Last Exit group, mid-70s

Sting (center) during the game in the Last Exit group, the mid-70s

Sting had a chance to play chess with Garry Kasparov. He took part in a show match against the grandmaster in 2000 in New York. It was a simultaneous session. It took Kasparov fifty minutes to beat all five.

Madonna, Sting, Tupac, 1994. Three people at once, whom everyone recognizes by a nickname from one word

Madonna, Sting, Tupac, 1994. Three people with a one-word nickname at once.

Sting is a remarkable actor. He starred in Dune, The Bride (he played Dr. Frankenstein there), The Adventures of Baron Munchausen, and, of course, ‘Lock, Stock, Two Barrels.’

And his first film work was the role in the semi-cult drama “Quadrophenia” in 1979, based on the British band’s album The Who (and not a musical at all).

Sting also starred in the 1989 Broadway show ‘The Threepenny Opera.’

Sting with Gianni and Donatello Versace and Elton John. Sting is one of the patrons of the AIDS Foundation, which Elton founded.

Sting with Gianni and Donatello Versace and Elton John. Sting is one of the patrons of the AIDS Foundation, which Elton founded.

Every reference book and Wikipedia will tell you that Sting’s full name is Gordon Matthew Thomas Sumner. However, Sting himself does not associate himself with this name in any way. Back in 1985, a journalist called the musician Gordon in an interview. Sting immediately replied: “My children call me Sting, my mother calls me Sting. Who the fuck is Gordon?”

Two Stings in one shot. Guess who is a musician and who is a wrestler?

Two Stings in one photo. Guess who is a musician and who is a wrestler?

Unlike most successful bands that fell apart at their peak due to squabbling and irreconcilable ambition, The Police had a very different case. It’s just that the time has come.

Sting recalled that on August 18, 1983, they performed at the legendary New York stadium Shea (where The Beatles themselves played at the height of Beatlemania). And right during the show, the artist felt that he had conquered Everest. There is no higher mountain to climb. Therefore, The Police were paused, without an official disband.

However, other musicians look at the situation a little differently, assuring that, in any case, they are tired of Sting.

 

Police-1977

Early photos of Sting and The Police, 1977

The award-winning American wrestling star Stephen James Borden also has a nickname Sting. Interestingly, he claimed it earlier than a musician did. Therefore, when Sting had to buy the rights for the pseudonym from the wrestler.

It is Sting who sings, “I want my MTV” in Dire Straits’s “Money for Nothing.” From now on, you will listen to this song in a completely different way, sorry.

Sting doesn’t want to be featured in a biopic, as is actively encouraged these days. “I am absolutely against it. I don’t want that. I already describe my life through art. “

And Sting doesn’t want his many children to inherit a $ 400 million inheritance. According to the musician, for them, it will become a yoke around their necks. Besides, Sting hopes to spend all this money in full!



Сообщение Rare photos and facts about Sting появились сначала на Old Pictures.

]]>
https://oldpics.net/rare-photos-and-facts-about-sting/feed/ 1
US soldiers shotgunning weed in pictures, 1970 https://oldpics.net/us-soldiers-shotgunning-weed-in-pictures-1970/ https://oldpics.net/us-soldiers-shotgunning-weed-in-pictures-1970/#respond Tue, 29 Sep 2020 08:09:40 +0000 https://oldpics.net/?p=5826 You may have watched the weed shotgunning scene in Oliver Stone’s Platoon movie. Believe it or not, it was a common practice...

Сообщение US soldiers shotgunning weed in pictures, 1970 появились сначала на Old Pictures.

]]>
Weed shotgunning in VietnamYou may have watched the weed shotgunning scene in Oliver Stone’s Platoon movie. Believe it or not, it was a common practice during the War in Vietnam in the 1970s. Just take a look at these historical ‘shotgunning weed’ pictures!

Oldpics has already published some noteworthy pictures of the US Navy sailors during their free time in Hawaii in 1945. Let’s take a look at the marine’s routine during the Vietnam War.

How the weed shotgunning was invented

In 1970, the US army in Vietnam switched from offensive operations to training South Vietnamese troops and holding garrison defenses. Trying to deal with boredom and low morale, many began to smoke marijuana. Note that in Vietnam, you can find cannabis as easy as high schoolers do. It grows literally everywhere, and its quality is just excellent. At the same time, unlike high schoolers, US soldiers didn’t have any tobacco paper or bong, so here why that used what they had: shotguns. Here’s how the weed shotgunning was invented!

On November 13, 1970, a documentary team captured American soldiers in a small jungle clearing in War Zone D, 50 miles northeast of Saigon. The team leader Vito is a 20-year-old recruit from Philadelphia. He demonstrated how his squad used a 12-gauge ‘Ralph’ (nickname) shotgun for the cameras.

Vito discharged the barrel, inserted a lighted pipe with marijuana into it, and invited his comrades to inhale the smoke that came from the long barrel. Yes, that’s how shotgunning weed looks like!

Read more: The war in Vietnam in pictures by Horst Faas

In this photo, soldiers in fire support base Aries, a small clearing in the jungles of War Zone D, 50 miles from Saigon, smoke marijuana using a shotgun they nicknamed “Ralph,” Nov. 13, 1970.

Cannabis during the Vietnam War

 All’s fair in a war… when you stay high.

Vietnam War and cannabis

 

Weed shotgunning in Vietnam

 

Weed shotgunning in Vietnam

 

Pot Through the Years

 

Vietnam war 1970

 

Vito, a recruit from Philadelphia

Vito, a recruit from Philadelphia

Weed shotgunning in Vietnam

 

 



Сообщение US soldiers shotgunning weed in pictures, 1970 появились сначала на Old Pictures.

]]>
https://oldpics.net/us-soldiers-shotgunning-weed-in-pictures-1970/feed/ 0
Rock bands photos before they became popular (updated) https://oldpics.net/rock-bands-photos-before-they-became-popular/ https://oldpics.net/rock-bands-photos-before-they-became-popular/#respond Tue, 22 Sep 2020 11:22:00 +0000 https://oldpics.net/?p=2970 (Last update: 22 September 2020. 20 new photos added) Rock music history starts with these photos. All these rock bands became popular...

Сообщение Rock bands photos before they became popular (updated) появились сначала на Old Pictures.

]]>
(Last update: 22 September 2020. 20 new photos added)

Rock music history starts with these photos. All these rock bands became popular in a year or two after these photos were made. And all of them had hundreds if not thousands of stylish photoshoots then, with professional lights, makeup, and expensive cameras involved. But not on these pictures, which are not even credited because they were made by the band’s friends or relatives when they didn’t believe that photo heroes will become world-famous.

Even more music history photos!

On many of these music history photos of the bands you used to listen to, you’ll find unknown faces, even if you used to think that you know rock music well. Don’t be surprised: bandmembers joined and departed, the lineup changed often. For example, the initial lead vocalist of The Queen left the band because he didn’t believe that Jon Taylor and Brian May will ever produce a good song. He switched to the jazz band instead and finished his musical career a few

Read more: Rock music photo history of the 60s in 33 pictures

years later. The Rolling Stones started as a band of five members, while you may know them as quartets. The Pink Floyd starts with Sid Barret as a vocalist, who left the band after Gilmore joined the team. Now this history of rock music stays in photos.

And there’s one thing which connects all these music history photos: integrity—a pure young-hood, raw talents, without layers added by popularity, producers, and labels.

Read more: 20 Rare pictures from UK tour of Bob Dylan in 1965 and 1966

ac\dc music history photos

AC\DC, 1978: This photo was taken in Sydney, 5 years after the band was founded, and two years before their first hit album “Highway to hell.” Vocalist and song co-writer Bon Scott is still here: he’ll pass away in two years because of alcohol poisoning.

Early AC\DC photo

This photo of AC\DC looks even younger. Circa 1969

Aerosmith, history photo

Aerosmith,  1973: This photo in New York was taken a few months after its first album release. Originally formed in Boston, the band recorded their song “Dream on” in NYC this year.

Black Sabbath music history photos

Black Sabbath, 1970: band released two albums in 1970th: “Black Sabbath” and “Paranoid.” This photo was taken between records sessions. Though it received a negative critical response, the album was a commercial success, leading to Paranoid’s follow-up record.

music history photos

Deep Purple, 1968: this photo was made in May, in London, where bandmates recorded their debut album. It will top the UK chart and hit the 4th position in the US in just four months.

Depeche Mode music history photos

Depeche Mode, 1981: originally founded by Michael Gore and Andy Fletcher in 1977, the band changed its name several times until they gained David Gahan in 1980, and recorded their first album “Speak and spell” in 1981, which brought Depeche Mode on the top of the new wave.

Young Depeche Mode photo

And this photo of Depeche Mode. Dave Gahan is so young…

Kiss, early photo

Kiss, 1973: The started as Wicked Lester but renamed to “Kiss” in 1973 when guitarist Ace Frehley joined the band. The most bizarre photos in the rock history of the 70s picture this band.

Metallica, history photo

Metallica, 1983: the band was formed in Los Angeles in late 1981 when Danish-born drummer Lars Ulrich placed an advertisement in a Los Angeles newspaper, The Recycler, which read, “Drummer looking for other metal musicians to jam with Tygers of Pan Tang, Diamond Head, and Iron Maiden.”Guitarists James Hetfield and Hugh Tanner of Leather Charm answered the advertisement.

It may seem that this photo of Metallica was taken during their school years.

Pink Floyd music history photos

Pink Floyd, 1968: the tipping point time of the band. David Gilmour has already joined them, and Syd Barret hasn’t left yet. In several months Barret will depart for the solo career, and Gilmour will lead Floyd to its golden age.

RHCP early photo

Red Hot Chilly Peppers, 1984: formed by classmates at Fairfax High School in 1983, the band consisted of singer Anthony Kiedis, guitarist Hillel Slovak, bassist Flea, and drummer Jack Irons. Los Angeles never received such love from a single rock band since The Doors times.

Sex Pistols 1977 photo

Sex Pistols, 1977: This photo was made in the mid-1977 when Sid Vicious has replaced Glen Matlock. Genius managed by Malcolm McLaren, the band has a bombshell effect, changing the rock landscape forever. “Rock is sick and lives in London” was a headline for a cover story in the Rolling Stone magazine covering Sex Pistols phenomena.

The Sex Pistols young

Another early photo of The Sex Pistols

The Beatles history photo

The Beatles, 1957: Sir Paul McCartney is 15 on this photo, brought by parents to participate in a no-name band performance somewhere in Liverpool. Rock music history starts with this photo.

early photo U2

U2, 1979: In 1976, Larry Mullen Jr., then a 14-year-old student at Mount Temple Comprehensive School in Dublin, Ireland, posted a note on the school’s notice board in search of musicians a new band. Six people responded and met at his house on 25 September. Set up in the kitchen, Mullen was on drums, with Paul Hewson (“Bono”) on lead vocals; David Evans (“the Edge”) and his older brother Dik Evans on guitar; Adam Clayton, a friend of the Evans brothers, on bass guitar;

U2 teenagers

And this U2 photo

Van Halen, early photo

Van Halen, 1972: Edie Van Halen formed his band in 1971, and took him 10 years to become one of the most popular and influential rock groups in the US. If Mozart was alive in the 20th century, his name was Van Halen, The Roling  Stone magazine wrote at the beginning of the 80s.

Rolling Stones, 1962: it’s their first performance ever. So many albums, titles, and outsold concerts lay before them. How can you imagine music history without this photo?

Young members The Rolling Stones

Young members of The Rolling Stones

The Doors early photo

The Doors, 1965: the band was formed this year, and believe it or not, not so many rock performers were brave enough to list a keyboardist among the bandmembers. Ray Manzarek was such a keyboardist. A genius behind Jim Morrisson’s charisma who fueled the band’s success.

The Police early photo

The Police, 1977: The Police were an English rock band formed in London in 1977. For most of their history, the line-up consisted of primary songwriter Sting (lead vocals, bass guitar), Andy Summers (guitar), and Stewart Copeland (drums, percussion). The Police became globally popular in the late 1970s and early 1980s. Emerging in the British new wave scene, they played a rock style influenced by punk, reggae, and jazz. Considered one of the Second British Invasion leaders of the U.S., in 1983, Rolling Stone labeled them “the first British New Wave act to a breakthrough in America on a grand scale, and possibly the biggest band the world.

The Smiths

The Smiths

The Prodigy

The Prodigy

The Cure

The Cure

SODOM

SODOM

Sepultura

Sepultura

R.E.M.

R.E.M.

Napalm Death

Napalm Death

Mayhem

Mayhem

Manic Street Preachers

Manic Street Preachers

Judas Priest

Judas Priest

Iron Maiden

Iron Maiden

Green Day

Green Day

Def Leppard

Def Leppard

Bee Gees

Bee Gees

Beastie Boys

Beastie Boys

Anthrax

Anthrax

Сообщение Rock bands photos before they became popular (updated) появились сначала на Old Pictures.

]]>
https://oldpics.net/rock-bands-photos-before-they-became-popular/feed/ 0
Tennis Girl: the story behind the iconic poster photo, 1976 https://oldpics.net/tennis-girl-the-story-behind-the-iconic-poster-photo-1976/ https://oldpics.net/tennis-girl-the-story-behind-the-iconic-poster-photo-1976/#respond Fri, 18 Sep 2020 11:21:24 +0000 https://oldpics.net/?p=5250 We believe that the ‘Tennis Girl’ photo increased the number of those wishing to become tennis players in 1976. Later this image...

Сообщение Tennis Girl: the story behind the iconic poster photo, 1976 появились сначала на Old Pictures.

]]>
Fiona Butler with a Tennis Girl pictureWe believe that the ‘Tennis Girl’ photo increased the number of those wishing to become tennis players in 1976. Later this image became an iconic one, and we’ll hardly find a person on the planet who has not seen it. After all, the picture “Tennis Girl” became the best-selling in the printing giant Athena. Its circulation is calculated in the millions. And we are talking about legal copies only! This image is nothing like Pulitzer Prize photo or outstanding historical picture, but there is also an interesting story behind it.

Fiona Butler, a Tennis Girl that never played tennis

The picture was taken at the tennis court of the University of Birmingham.  18-year-old Fiona Butler was acted as a Tennis Girl. It was a very warm September,  and Fiona agreed to pose for a pin-up photo series by her 30-year-old boyfriend, photographer Martin Elliot.

An Iconic Tennis Girl photo

An Iconic Tennis Girl photo

The preparation for the photo session took almost no time. Fiona asked her friend Carol Knott for a tennis dress; Carol also gave Fiona her racket. As you may guess, Fiona Butler never played tennis before. Moreover, she gave everything back after the photo session and a box of chocolates as a bonus. Father lent Fiona sports slippers, and we suspect the parent little knew about the nature of the photo session. Butler’s family dog ​​borrowed some old tennis balls, which he used to play. Well, that’s all you need to take an iconic Tennis Girl photo.

There were only the photographer and the model during this photo session. “I shot only one film,” Elliot recalled years later. “This is not enough for a photographer. I hoped that I captured a good shot. ” Well, he captured one. Elliot showed the shot to the Athena photo agency, and they bought it immediately.

Tennis Girl started as a poster

“Tennis Girl” picture appeared in the calendar of the company in 1977 for the first time. It has stayed at print kiosks, bookstores, teenagers’ rooms, and truckers’ cabins since then. The photograph was especially popular as a poster. They sold it at 2 pounds for a copy. The Tennis Player even survived the company’s collapse in 1994.

Fiona Butler holding a photo

Fiona Butler holding a photo

What happened then?

And what happened to the model and photographer? Fiona and Martin were together for three years. Martin became a respected photographer and died in 2010 of cancer. Fiona is married, has three children, and works as an illustrator.

Fiona never received royalties from big photo sales, but she has no regrets about it. In general, she recalls his sensational model experience with great warmth: “I was amazed that what we did so easily that September afternoon became so popular … I like that this photo for its mysterious atmosphere.”

Carol Knotts, who once so successfully borrowed a dress and a racket, sold them at an auction at Wimbledon in 2014. The racket price was £ 2,000, and the dress cost £ 15,000.

Of course, photography, like any celebrity, is accompanied by scandals. So, in 2015, Peter Atkinson from Cornwell made a statement that he took a photograph.

Сообщение Tennis Girl: the story behind the iconic poster photo, 1976 появились сначала на Old Pictures.

]]>
https://oldpics.net/tennis-girl-the-story-behind-the-iconic-poster-photo-1976/feed/ 0
Uruguayan Air Force Flight 571: rare photos and terrible cannibalism story https://oldpics.net/uruguayan-air-force-flight-571-rare-photos-and-terrible-cannibalism-story/ https://oldpics.net/uruguayan-air-force-flight-571-rare-photos-and-terrible-cannibalism-story/#respond Wed, 02 Sep 2020 13:14:14 +0000 https://oldpics.net/?p=4970 People will never forget the blood-chilling story of the Uruguayan Air Force Flight 571. Oldpics decided to publish some of the unseen...

Сообщение Uruguayan Air Force Flight 571: rare photos and terrible cannibalism story появились сначала на Old Pictures.

]]>
Rugby players waving to rescue helicopters Uruguayan Air Force Flight 571People will never forget the blood-chilling story of the Uruguayan Air Force Flight 571. Oldpics decided to publish some of the unseen photos of that horrible 1972 accident, citing the memories of the survivor –  Fernando Parrado.

The happy life of Nando Parrado

Fernando Parrado was a 22-year-old student at the prestigious Catholic College Stella Marie in Montevideo throughout the summer of 1972. He lived a happy student life. He drove friends in his Renault along the ocean coast, swam in deserted lagoons, taking pictures of girls, and ate his mother’s lunch at home. On top of this, Fernando trained with the university rugby team ‘Old Christians.’ This team was one of the best rugby teams in Uruguay. In October of 1972, Fernando Parrado and the ‘Old Christians’ boarded Uruguayan Air Force Flight 571 and directed Chile for a friendly match.

'Old Christians' Rugby team in full force

‘Old Christians’ Rugby team in full force, 1972.

The tragical Uruguayan Air Force Flight 571

Their relatives and friends also went to cheer for the athletes and visit another country. The company booked the twin-engine Fairchild, which could take  45 people, including the crew. 

Read more: Delta airplane highjacking, 1972

On Friday, 13 October, Uruguayan Air Force Flight 571, with passengers on board, struck a wing over an unnamed rock in the Andes at an altitude of 4,000 meters.

When Nando regained consciousness, several teammates were already sitting nearby. They explained to him what had happened. After colliding with a rock, their plane was torn off both wings and tail. The twisted fuselage buried itself in the snow, which softened the collision. Thanks to this, 28 out of 45 people survived. Nando’s mother died, 19-year-old Susie was seriously injured and did not recover. The Uruguayan Air Force Flight 571 got off the radar. 

A reproduction of the plane involved in the crash of the Uruguayan Air Force Flight 571

It’s the plane that was used for the Uruguayan Air Force Flight 571.

The horrors of the survival

It was so cold at night hours that you could only sleep inside the fuselage. The survivors crawled outside at day time and tried to give signs to the rescuers. They were obviously looking for the crashed Uruguayan Air Force Flight 571. Survivors saw at least two planes that flew past but did not notice the people waving their hands. It remained only to gather all the strength and wait.

Nando spent the next few days with his sister. He warmed her legs and arms. He drowned water in his palms to water her, and all the time, whispered that the worst thing would soon end. They would be found and taken home. On the eighth night, Nando felt that Susie’s body was different in his arms. She stopped breathing. The next morning, he buried his sister next to her mother.

The victims of the plane crash Andes mountains

There was a camera in one of the suitcases. The guys took a lot of pictures during the first weeks after the crash.

And survivors got trapped. 

Now he fully realized the horror of the situation. Mountains and snow stretched all around to the horizon. There was no vegetation, no animals around the crash site of the Uruguayan Air Force Flight 571. A few days ago, the pitiful supply of nuts, cheese, and wine that should have been given to them on the flight ran out.

Nando joined his comrades, who methodically searched the dead’s luggage and pockets for days on end, looking for something edible. They turned all the stones around the crash site, looking for sprouts or worms. The frozen ground was the only thing they found. They tried to eat leather straps of bags. Although they realized that chemically treated leather was unlikely to benefit their unhappy stomachs. In the end, they opened the plane seats because someone suggested there might be straw there. Little they knew, but Uruguayan Air Force Flight 571 used a very modern plane for their flight.  The only thing they found was lightweight uneatable foam.

In the morning, the survivors sluggishly continued to search for food. Simultaneously, everyone felt that their only way out of the situation had already become obvious to the whole group.

It's all what left of the fuselage of the Uruguayan Air Force Flight 571 plane.

It’s all that left of the fuselage of the Uruguayan Air Force Flight 571 plane.

How the plane crash survivors started cannibalization

On a ninth day after the crash, a medic student Roberto Canessa gathered everyone near the plane’s remains. He stated that they all have two options. The first is to stay in the fuselage, save energy, and wait for the rescue. The second is to start eating the dead’s frozen bodies: the dead no longer needs flesh. Then the rest will have the energy to try to get out of the trap. You need to explore the surroundings, find the tail of the plane. They planned to find the batteries and revive the transmitter in the cockpit. That was the advice of the mechanic that he told him about before his death.

A heavy silence. “Will God forgive us for this?” – whispered one of the Old Christians. “God will not forgive you if you refuse to live,” Roberto replied. They all ate the “body of Christ” and drank its “blood” during the sacrament. The discussion on the issue’s ethical side continued until the evening, but none of the guys opposed it.

Rugby team players inside the fuselage of the crashed plane

Rugby team players inside of the fuselage of the crashed plane

The most difficult choice in a life

Things settled down at dusk. Everyone realized that they had reached an agreement. It remained to decide who would execute the decision. Who is brave enough to cut the meat of a dead friend? “I’ll do it,” Roberto said. Another medical student volunteered to go with him.

All the survivors agreed that their bodies might be eaten in the event of death.

Finally, they had the energy to do something. They organized an expedition, planned to climb up the trail of the fuselage that had moved down. They planned to find the tail of the plane and extract its batteries. However, the searchers came back with nothing. They found only one fragment of a wing and a few dead bodies. However, it was a good find.

Disaster victims on suitcases. October 1972

Disaster victims on suitcases. They used these pieces of luggage to mark the crash site so that rescuers could notice them. October 1972

And now comes the avalanche. 

On the evening of October 29, the Uruguayan Air Force Flight 571 crash victims once occupied the aircraft fuselage again. Nando woke up. He felt an icy touch with his face. In the next second, a cold, snowy mass fell on him. As Nando tried to inhale, but snow poured into his mouth, his ears, and nose. He realized that he was about to suffocate.

At that moment, a hand tore through the snow in front of his face. Nando was able to breathe. He guessed that his friends were digging him up. An avalanche covered the fuselage at night. The snow entrapped some of the sleeping people. Eight of them died after this accident.

Guys tried to make the plane better noticeable by cleaning the plane from snow. November 4, 1972

Guys tried to make the plane better noticeable by cleaning the plane from the snow. November 4, 1972

Plane crash cannibalism

The survivors spent a few days inside their shelter, buried under the snow. A heavy blizzard continued outside, so it was impossible to start digging. The worst thing was that the captives were deprived of food—the bodies laid under a thick layer of snow.

On the third day of the snow prison, one of the survivors decided to act. He found a piece of glass and started to dig.

On the fourth day, the sun came out, and people could dig out from under the snow. Survivors were now confident that rescuers would see the camp from the air if they continued to search for them.

Medics escort Fernando “Nando” Parrado.

Medics escort Fernando “Nando” Parrado.

S.O.S

In parallel, the group did not leave attempts to find the tail of the Uruguayan Air Force Flight 571 plane. They found it by mid-November.  It took another week to connect the batteries to the transmitter. However, despite all the efforts, nothing worked. In the end, the rugby players realized that the mechanic was mistaken. The transmitter was a part of the general network of the aircraft. It couldn’t work alone.

More than a month and a half have passed since the disaster. The rescuers should have stopped searching for them. The food supply was coming to an end. Now they gotta do what they could not even think of before: the brain, liver, lungs…

Canessa and Fernando Parrado survived the crash of the Uruguayan Air Force Flight 571

Canessa and Fernando Parrado.

Last hope

It was decided to go for help. The guys sewed a sleeping bag using insulation in the plane’s sides and material from the seats. One of the rugby players found a set of needles in the mother’s purse.

On December 12, Nando Parrado, Roberto Canessa, and an unknown survivor were able to take a long march. They got up early on a sunny morning and headed west. They decided to go until they were alive.

On a ninth day, Nando and Roberto reached the camp of the shepherds. Their third companion could not go further and remained to die in the mountains. On December 22, helicopters with rescuers reached the crash site of the Uruguayan Air Force Flight 571 and rescued the rest.

medics examine the survivors of the Uruguayan Air Force Flight 571

Medics examine the survivors of the Uruguayan Air Force Flight 571 plane crash.

Coming out

Rugby players who rose from the dead have become national heroes in Uruguay. They tried to keep their secret first. However, journalists began to guess what people ate during the two-month adventure. The sensation spread the world. Very soon, the surviving heroes realized that cannibalism attracted more people than they could have imagined.

Soon after, they met together as usual and decided that they would still make it to Chile to play their rematch there. On October 12, 1975, rugby players from Stella Marie College boarded the plane again. They played the match the next day in Santiago, exactly three years later. Since then, the Friendship Cup has been held annually.

The Andes. James St. John: Flickr

The Andes. James St. John: Flickr

The site of the crash Uruguayan Air Force Flight 571

The site of the crash.

The common grave of the victims of the plane that crashed in the Andes

The common grave of the victims of the plane that crashed in the Andes

Сообщение Uruguayan Air Force Flight 571: rare photos and terrible cannibalism story появились сначала на Old Pictures.

]]>
https://oldpics.net/uruguayan-air-force-flight-571-rare-photos-and-terrible-cannibalism-story/feed/ 0
Banqiao Dam collapse, 1975: pictures and facts https://oldpics.net/banqiao-dam-collapse-1975-pictures-and-facts/ https://oldpics.net/banqiao-dam-collapse-1975-pictures-and-facts/#respond Mon, 31 Aug 2020 08:10:55 +0000 https://oldpics.net/?p=4894 Banqiao Dam collapse happened in August of 1975. This catastrophe killed 200 thousand people. A help from USSR The Chinese built a...

Сообщение Banqiao Dam collapse, 1975: pictures and facts появились сначала на Old Pictures.

]]>
Banqiao dam collapseBanqiao Dam collapse happened in August of 1975. This catastrophe killed 200 thousand people.

A help from USSR

The Chinese built a dam on the Zhuhe River with the vast assistance of Soviet consultants. The construction started in 1951, and it looked conscientiously. The Dam was an ambitious project within the Great Leap strategy of the young Chinese communist state and Mao Zedong. and It seemed like the dam had to live through the centuries and never collapse. The dam’s durability had to survive the floods and some major cataclysms that occur no more than once in a thousand years.

However, in 1975 there was a flood never seen before. It was a kind of cataclysm that happens once in a thousand years! No engineers put such loads into the design projections.

The water streaming through the Banqiao dam after its collapse

The water streaming through the Banqiao dam after its collapse

A typhoon that caused a dam collapse

The flushing rains brought the record of precipitation – 1631 mm per day! Add the fact that the Banqiao dam system was part of an even larger dam network covering a vast  ​​China area.

Read more: Swimming Mao Zedong, 1966

The Shimantan Dam was the first to withstand the pressure of water. The overloading masses of water broke it at half-past midnight on August 8. Half an hour later, the water flow reached the network of dams in Banqiao. Even a solid dam construction couldn’t dodge the collapse when dealing with these volumes of water. The most modern and massive Banqiao Dam could not handle the load. In total, 62 dams collapsed like dominoes that night!

The horrible aftermath

The horrible aftermath

Banqiao Dam destruction

Banqiao Dam destruction

The Aftermath

A wave was 10 kilometers wide, and it was powerful enough to equal the cities and villages! Its height reached seven meters. Many provinces were flooded, and, what is sad, not only civilians were killed, but also those services that could have helped them. Only a few lucky settlements managed to evacuate before the arrival of high water.

26 thousand people died immediately. But since there was no transport, no medicine, no sewage system, no food in the region for several weeks, epidemics and famine broke out. It took another two hundred thousand souls. The total number of victims of the Banqiao Dam collapse ranges from 171 to 230 thousand.

There could be many more casualties and destruction. Luckily the Chinese authorities sent planes to bomb some of the surviving dams so that the water would go in the required direction.

Rebuilding the destruction proved to be an almost impossible task, even for communist China. They manage to repair all the dams by 1993. The notorious Banqiao Dam restarted too.



Сообщение Banqiao Dam collapse, 1975: pictures and facts появились сначала на Old Pictures.

]]>
https://oldpics.net/banqiao-dam-collapse-1975-pictures-and-facts/feed/ 0
Delta airplane highjacking, 1972 https://oldpics.net/delta-airplane-highjacking-1972/ https://oldpics.net/delta-airplane-highjacking-1972/#respond Tue, 25 Aug 2020 15:44:58 +0000 https://oldpics.net/?p=4788 The scene in the photo ended the drama of the airplane highjacking. It all happened on July 31, 1972, when a Delta...

Сообщение Delta airplane highjacking, 1972 появились сначала на Old Pictures.

]]>
Delta airplane highjacking, 1972The scene in the photo ended the drama of the airplane highjacking. It all happened on July 31, 1972, when a Delta Airlines passenger plane, Flight 841 Detroit – Miami, was seized by members of the Black Liberation Army (in other words, terrorists). There were five terrorists in total (plus three children). There were 94 civilians and seven crew members on board. Terrorists captured the Delta airplane shortly after it took off. It was a terrorist’s classic: criminals hide the gun in the Bible with pages cut out under it.

Despite the hijacking, the airplane landed in Miami right on schedule. The terrorists freed 86 people. Remaining passengers and crew flew to Boston then. This photo was taken in Boston.

When Airplane highjacking goes right

The terrorists did not plan to stay in the United States. Algeria was their destination point. They demanded to refuel, provisions, and a million dollars in cash for this long-distance flight. Terrorists got what they wanted in Boston. In the photo, we see how engineer Ronald S. Fudge carries a suitcase with money and provisions to the plane. He had to wear underpants only so that the terrorists can see that he has no weapons). Ronald boarded a plane and flew with the terrorists and crew to African shores.

An Algerian story

Terrorists released the plane In Algeria. The crew flew back to the United States (a long hard day, indeed), while the terrorists were taken into custody. However, they were released in a few days. Relations between the United States and Algeria hit bottom in 1967 after the Arab-Israeli war. Here’s why local authorities considered that hijacking an American plane was not such a crime.

Justice will come

And yet, justice was done: in 1976, four out of five terrorists were arrested in Paris. Justice reached the fifth in 2011 when he was visiting Portugal.

By the way, capturing hostages was the most popular type of terrorist activity in the 1970s.

Сообщение Delta airplane highjacking, 1972 появились сначала на Old Pictures.

]]>
https://oldpics.net/delta-airplane-highjacking-1972/feed/ 0
The war in Vietnam in pictures by Horst Faas https://oldpics.net/the-war-in-vietnam-in-pictures-by-horst-faas/ https://oldpics.net/the-war-in-vietnam-in-pictures-by-horst-faas/#respond Wed, 19 Aug 2020 13:47:53 +0000 https://oldpics.net/?p=4665 Horst Faas was an outstanding war photographer. His brilliant photos won the Pulitzer award twice. Combat photography of the war in South...

Сообщение The war in Vietnam in pictures by Horst Faas появились сначала на Old Pictures.

]]>
Famous picture of Vietnamese kids and US marine by Horst FaasHorst Faas was an outstanding war photographer. His brilliant photos won the Pulitzer award twice. Combat photography of the war in South Viet Nam during 1964 won the first prize. This publication at Oldpics focuses on Vietnamese series by Horst Faas.

The glory of the war cameramen

Horst Faas was a talented photographer. Not even just a talented, but, rather, a brilliant front-line correspondent. They’re not so many masters of the level of Horst Faas. We can compare his photography with war essays of Eugene Smith, Eddie Adams, Susan Meiselas

The Vietnam photos made Horst Faas world-known. He worked at AP for decades, and its editor-in-chief Caitlyn Carroll said that Horst was perhaps his most irreplaceable employee and an excellent friend.

Women and children hiding in a ditch at Bao Trai, 20 miles west of Saigon

Women and children hiding in a ditch at Bao Trai, 20 miles west of Saigon, January 1, 1966

Mixed army feelings about Horst Faas

Faas didn’t try to show US soldiers as heroes all the time. And here’s why some officers didn’t like his photography. “This is a terrible photo,” complained one of the commanders. “I don’t want these pictures of my squad. Soldiers look sleepy and tired. They are in a fighting squad.”

Faas tried to explain that their exhaustion reflects their combat experience; six months later, this photograph became so popular that the same commander invited Faasa once more to take new pictures of his platoon.

The site of a bomb explosion at the US Embassy in Saigon

The site of a bomb explosion at the US Embassy in Saigon, March 30, 1965.

A deadly risk

Faas risked all the way to take his photographs. And there’s at least one case when he was just lucky enough to survive. On December 6, 1967, he was wounded in the legs by an anti-tank grenade in Bu Dopa, South Vietnam. A young American doctor managed to stop the bleeding, recalling this event when meeting with Faas 20 years later. The doc said: “You were so gray and pale, I thought you’re finished.”

Horst Faas is approaching a helicopter after a whole day spent with US rangers

Horst Faas is approaching a helicopter after a whole day spent with US rangers

Horst Faas in Vietnam, 1967

Horst Faas in Vietnam, 1967

Horst Faas walking together with US marines, 1966

Horst Faas walking together with US marines, 1966

Horst Faas as a playing photo coach

While recuperating, Faas was recruiting and training Vietnamese volunteer photographers.

Huynh Thanh My was among his most famous protégé. An actor switched to photography who died in 1965. Faas trained his younger brother Huynh Cong “Nick” Ut then. His image ‘Napalm girl’ won the Pulitzer Prize in 1972.

Horst Faas was a smart planner and tried to ensure the safety of his journalists. As one of his colleagues put it, “not only calculating what would happen next but also what would happen after.”

Horst Faas was a few yards behind his Associated Press colleague Eddie Adams in Saigon when he snapped his most famous picture. He captured the moment when a Vietnamese police officer executed a suspected Viet Cong officer on the street. This image is among the Top 100 most influential photos in history, according to Time magazine.

When the Vietnam War ended, Horst Faas wanted to leave his horrible memories in the past. He returned there only once, in 1978, and subsequently as a tourist. He said that his mission was “to capture the suffering, emotion, and sacrifice of both the Americans and the Vietnamese people.”

US Marines flee from the crash site of a CH-46 helicopter shot down near the demilitarized zone between North and South Vietnam

US Marines flee from the crash site of a CH-46 helicopter shot down near the demilitarized zone between North and South Vietnam on July 15, 1966.

Horst Faas photo of a Wounded American soldiers on a battlefield in Vietnam on April 2, 1967.

Wounded American soldiers on a battlefield in Vietnam on April 2, 1967.

Survivors of two days of heavy fighting in Dong Huo, civilians gather after an attack by government forces, June 1965

Survivors of two days of heavy fighting in Dong Huo, civilians gather after an attack by government forces, June 1965

The body of a killed American soldier on the battlefield in Vietnam

The body of an American soldier on the battlefield in Vietnam, April 2, 1967.

Landing light from medical evacuation helicopter cuts through smoke of battle for Bu Dop, South Vietnam, silhouetting U.S. troops moving the most seriously wounded to the landing Zone on November 30, 1967.

Landing light from medical evacuation helicopter cuts through smoke of battle for Bu Dop, South Vietnam, silhouetting U.S. troops moving the most seriously wounded to the landing Zone on November 30, 1967.

South Vietnamese government troops from the 2nd Battalion of the 36th Infantry sleep in a U.S. Navy troop carrier on their way back to the Provincial capital of Ca Mau, Vietnam.

South Vietnamese government troops from the 2nd Battalion of the 36th Infantry sleep in a U.S. Navy troop carrier on their way back to the Provincial capital of Ca Mau, Vietnam.

South Vietnamese troops, joined by US advisers, rest after a cold, wet and tense night of waiting in the dense jungle around the town of Binh Gia, 60 km from Saigon, Vietnam, in January 1965.

South Vietnamese troops, joined by US advisers, rest after a cold, wet, and tense night of waiting in the dense jungle around the town of Binh Gia, 60 km from Saigon, Vietnam, in January 1965.

In this March 1965 photo, U.S. Army helicopters provide artillery cover to advancing South Vietnamese ground troops in an attack on a Viet Cong camp 18 miles north of Tay Ninh, near the Cambodian border.

In this March 1965 photo, U.S. Army helicopters provide machine gun cover to pushing South Vietnamese ground troops.

Cong at the Michelin rubber plantation, about 45 miles northeast of Saigon.

Vietnamese soldiers had to wear the face mask while passing through the road covered with bodies.

Children ride home from school past the bodies of 15 dead Viet Cong soldiers and their commander in the village of An Ninh in Vietnam's Hau Nghia province on May 8, 1972.

Children drive home from school gazing at the bodies Viet Cong soldiers and their commander in the village of An Ninh in Vietnam’s Hau Nghia province on May 8, 1972.

Artillery troops of the new South Vietnamese 25th division line up for a parade in front of 105 and 155 Howitzers in the coastal town of Quang Nai, South Vietnam, a Viet Cong stronghold, on August 15, 1962.

Artillery squads of the new South Vietnamese 25th division line up for a parade in front of 105 and 155 Howitzers in the coastal town of Quang Nai, South Vietnam, a Viet Cong stronghold, on August 15, 1962.

Horst Faas photo of American soldiers guard Route 7 as Vietnamese women and children return home to Xuan Dien village from Ben Khat, Vietnam, December 1965.

American soldiers guard Route 7 as Vietnamese women and children return home to Xuan Dien village from Ben Khat, Vietnam, in December 1965.

American POWs at Li Nam De Street camp in Hanoi, North Vietnam, March 1973.

American POWs at Li Nam De Street camp in Hanoi, North Vietnam, March 1973.

Horst Faas photo of American Lieutenant Colonel George Easter is carried on a stretcher after being wounded by a Viet Cong sniper in Chung Lap, South Vietnam, January 16, 1966.

American Lieutenant Colonel George Easter getting aid after a Viet Cong sniper shot in Chung Lap, South Vietnam, January 16, 1966.

A wounded Vietnamese ranger is ready with his weapon to answer a Viet Cong attack during battle in Dong Xoai on June 11, 1965.

A wounded Vietnamese ranger is ready with his weapon, during the battle in Dong Xoai on June 11, 1965.

A Vietnamese medic jumps from a secure position behind a rice paddy dike, crossing a swampy paddy under fire from Viet Cong guerrillas, August 8, 1966. He was coming to the aid of wounded regional forces.

A Vietnamese doctor leaps from a secure position behind a rice paddy dike. Viet Cong snipers were covering the area with fire, August 8, 1966.

Horst Faas photo of South Vietnamese woman mourns over the body of her husband, found with 47 others in a mass grave near Hue, Vietnam.

A South Vietnamese woman cries over the body of her spouse. He was among 47 others in a mass grave near Hue, Vietnam.

A South Vietnamese soldier hits a farmer with a dagger for giving false information to government forces about the movement of Viet Cong guerrillas in a village west of Saigon, Vietnam on January 9, 1964.

A South Vietnamese soldier hits a farmer with a dagger for giving false information to government forces about the movement of Viet Cong guerrillas in a village west of Saigon, Vietnam on January 9, 1964.

A battalion scoured Trung Jap, northwest of Saigon, for information on a Vietcong force in the area. A Vietcong bride was arrested, blindfolded and bound, when troopers saw her hiding a bag.

A battalion is inspecting the Trung Jap, northwest of Saigon. They’ve got information on Vietcong forces in the area. A Vietcong bride was arrested, blindfolded, and bound when troopers saw her hiding a bag with a bomb.

Сообщение The war in Vietnam in pictures by Horst Faas появились сначала на Old Pictures.

]]>
https://oldpics.net/the-war-in-vietnam-in-pictures-by-horst-faas/feed/ 0
The story behind ‘The Terror of War’: ‘Napalm Girl’ by Nick Ut. https://oldpics.net/the-story-behind-the-terror-of-war-napalm-girl-by-nick-ut/ https://oldpics.net/the-story-behind-the-terror-of-war-napalm-girl-by-nick-ut/#respond Wed, 01 Jul 2020 11:46:42 +0000 https://oldpics.net/?p=4132 ‘The terror of war’ or also known as the ‘Napalm Girl,’ is a Pulitzer Prize-winning photograph by photojournalist Nick Ut, a Vietnamese...

Сообщение The story behind ‘The Terror of War’: ‘Napalm Girl’ by Nick Ut. появились сначала на Old Pictures.

]]>
The Terror of War, Nick Ut, 1972‘The terror of war’ or also known as the ‘Napalm Girl,’ is a Pulitzer Prize-winning photograph by photojournalist Nick Ut, a Vietnamese American photographer. The latter captured the historical events of War in Vietnam while working for the Associated Press. Nick joined AP in 1966 after his brother was killed in 1965 at the age of 27. First working in the darkroom, he later became a war photographer just like his brother.

The photo we are looking at was taken with Leica M2 Kodak 400 tri x film as only 400, and 200 versions were available in Vietnam.  The camera still exists and is stored in a museum in Washington, DC.

Nick Ut’s pictures were a massive contribution to the Vietnam war history photography, compared with Anthony Adams.

‘Napalm Girl’ picture settled in the Top 100 most influential photos in history, according to Times magazine.

Nick Ut used to say that ‘Napalm Girl’ had a fantastic history behind it. On June 7, he heard about fighting in Trảng Bàng. Ut photographed the refugees and planes dropping bombs, captured the unseen horrors of the Vietnam war. The civilians were caught in between North Vietnamese who were trying to take control of the village and South Vietnamese troops who were trying to defend it. One of the planes dropped a napalm bomb on North Vietnamese positions. However, the bomb mistakenly hit Trảng Bàng and civilians. Kim Phuc and other villagers were hiding in the temple in the village. As the bombs were exploding everywhere, villagers ran out of the temple as they thought it would be targeted as well, when suddenly another plane dropped the napalm bombs. People were running out bomb barrage. Women were carrying burned children, the burning postures of the running people that were doomed.

When the photographer looked through, he saw terrified children and among them, a naked girl (9-year-old girl, Phan Thị Kim Phúc) running and crying. As her skin slumping down, Ut put down his camera and brought water for the girl. He picked her up and brought her to his car with other children and took her to the hospital. There he found that she might not survive because she had suffered third-degree burns on thirty percent of her body. So he helped to transfer her to an American hospital where they were able to save her life.

When he sent his picture to the AP’s office, the photo was actually about to be rejected since the rules for publishing nudity were very strict. In the end, the editors agreed that the historical value of the picture and the news is higher than the reservations about nudity, which is funny because, in 2016, Facebook censored the photograph. Mark Zuckerberg was accused of abusing his power, and after widespread criticisms from news organizations and media experts across the globe, Facebook backed down and allowed the photograph.

Like any other famous historical photograph, this one is also a little controversial. At first, some people, including then-president Richard Nixon, doubted that the photo was authentic. Nick Ut later said: “The ‘Napalm Girl’ for me, and unquestionably for many others, could not have been more real. The photo was as authentic as the Vietnam war itself.” Nixon suggested that the photo was fake, and the girl was perhaps burned with oil since no one ever survived napalm bombing until then. The picture was also initially published cropped, so the first version was published without the soldier rewinding his film. Nick Ut said in the interview on Petapixel that the soldier was David Burnett. As the civilians were running out of the fire, everyone was terrified, and all the photographers and TV cameras started taking pictures. David Burnett ran out of the film and was desperately trying to rewind it. When he finally did it, he also took photos of Kim. Now, the picture had a more significant impact without the figure of a soldier looking like not caring too much, especially when the people didn’t know he was trying to document the accident. What do you think about cropping photos like that? 

Nick later said. “I wanted to stop this war, and I hated war. My brother told me I hope one day you have a picture to stops the war,” and on June 8, 1972, Nick Ut took just a picture like that, a picture that stopped the war. The photograph is said to be one of the most memorable historical images of the 20th century.

As Saigon fell, he moved out of Vietnam and eventually settled in LA. He spent more than 50 years as a photojournalist. Photographing famous historical events, politics, and celebrities, but his most known photo was taken at the beginning of his career and, in my opinion, had the most significant impact.

Ut won a World Press Photo and  Pulitzer Prize for the picture in 1973.

In 2012 he was inducted by the Leica Hall of Fame for his contributions to photojournalism.

Kim Phuc survived, and she and Nick Ut met again after the end of the Vietnam conflict. Ut said he was pleased when he looked at the picture because it changed the war history.¨

Сообщение The story behind ‘The Terror of War’: ‘Napalm Girl’ by Nick Ut. появились сначала на Old Pictures.

]]>
https://oldpics.net/the-story-behind-the-terror-of-war-napalm-girl-by-nick-ut/feed/ 0
Minamata by W. Eugene Smith: photos and facts https://oldpics.net/minamata-by-w-eugene-smith-photos-and-facts/ https://oldpics.net/minamata-by-w-eugene-smith-photos-and-facts/#respond Tue, 23 Jun 2020 10:50:01 +0000 https://oldpics.net/?p=3924 There is something special about almost every picture of W.Eugene Smith, but when speaking of a historical impact, his Minamata series takes...

Сообщение Minamata by W. Eugene Smith: photos and facts появились сначала на Old Pictures.

]]>
Takako Isayama, victim of the Minamata disease, with her mother. Minamata

Takako Isayama, a 12-year-old victim of the Minamata disease, with her mother. Minamata. Japan. 1972

There is something special about almost every picture of W.Eugene Smith, but when speaking of a historical impact, his Minamata series takes an unquestionable lead.

Even the Pittsburgh photo essay lacks the same motivation that filled Gene during his Minamata trip.

Minamata started as a photo report with a strong social motivation behind a usual three-month appointment for Smith, who used to have a lot of those during his long camera life. But it ended up with a subsequent book Minamata: A Warning to the World, and massive worldwide success. Let’s take a look at the best pictures and facts, which became an accurate historical record.

Also, take a look at the story of a Country doctor by W.Eugene Smith, and The brightest photos by W. Eugene Smith

Fishing. Minamata Bay, Japan. 1972

Fishing. Minamata Bay, Japan. 1972

  1. W.Eugene Smith was 51 when he decided to capture the Minamata case. He came to the idea of changing the world with his photojournalism and selected the case of mercury pollution in Minamata as a subject to cover.
Chisso factory Minamata Smith

The entrance to a section of the Chisso Chemical Plant. Minamata, Japan. 1972

  1. Chisso Corporation was a chemical factory in the Japanese city of Minamata, which stood behind the environmental pollution. Their production cycle involved the release of the methylmercury with wastewater into Minamata Bay and the Shiranui Sea. These hazardous elements interacted with the whole local marine ecosystem. While Japanese food culture is inextricably linked to the seafood, this water pollution leads to thousands of cases of mercury poisoning among locals. Neither Chisso Corporation nor the local or central Japanese government cared about pollution in the Minamata area. 
Mrs Hayashida with her dying husband. They both suffer from mercury poisoning.

Mrs. Hayashida with her dying husband. They both suffer from mercury poisoning.

  1. The Japanese government officially recognized the Minamata problem in 1968. Thousands of people had already died due to mercury pollution in the bay area, and there were no precedents of this kind in Japanese history.
Victims of mercury disease Smith Minamata

Patients and relatives carry photographs of the ‘verified’ dead on the last day of the Minamata Trial (victims of the disease against the Chisso Plant). Minamata Bay, Japan. 1972

  1. W.Eugene Smith arrived in Minamata in 1971, and he had a lot of experience in covering human tragedies and life hurdles. He photo reported such historical bloody invasions as Tarawa, Guam, and Iwo Jima as LIFE’s WWII correspondent. 
Fishermen. Minamata Bay, Japan. 1972

Fishermen. Minamata Bay, Japan. 1972

  1. W.Eugene Smith published Minamata book together with Aileen Mioko Smith. They married in Tokyo just before the Minamata trip. The couple planned to stay for three months but ended up staying for three years to capture all the historical events. 
Iwazo Funaba's crippled hands. She is a victim of the Minamata disease.

Iwazo Funaba’s hands affected by Minamata disease.

  1. Smith followed his usual photo style and stayed as close to the families who suffered the pollution coincidences as possible. Smith was first and foremost a journalist, and he made no secret of his determinedly subjective approach. He put himself—and therefore, the viewer—at the emotional center of what he was seeing. 
Shinobu Sakamoto at her junior high school class sports day.

Shinobu Sakamoto at her junior high school class sports day.

  1. A genius photographer, W.Eugene Smith, lived a life of the Minamata families. His images showed not only the victims’ physical and mental pain but also their determination, humanity, and moments of joy. 
Shinobu Sakamoto talking with a friend. Photo taken by Aileen M. Smith. 1972

Shinobu Sakamoto is talking with a friend. Aileen M. Smith took the photo. 1972

  1. While covering the illnesses of the people of Minamata, Smith suffered his ailments, the results of his historically invaluable WWII reportages. The artillery shell severely wounded his jaw during the Battle of Okinawa. Two plane crushes also left their signs in his body health. Things got worse during a trip to the factory in Goi in 1972 when the Chisso security crew beat a photographer. Neck trauma caused temporary blindness in one eye as well as blackouts when he raised his arm.
Shinobu Sakamoto Minamata

Shinobu Sakamoto preparing a meal to be shared by victims and their supporters.

  1. Minamata was a final photo essay by W.Eugene Smith, but the images have taken on a life of their own. The photographs were published in LIFE in 1972, participated in several global exhibitions overseas, and came together in the publication of the co-authored book, Minamata, in 1975. 
victim of Minamata disease Smith

Isamu NAGAI, a victim of the disease, at the Rehabilitation Center for Minamata patients.

  1. Barack Obama’s recalled the Minamata images in autobiography. He mentioned a photo in the LIFE magazine of a woman holding a disabled child in the bath. When Obama became president of the United States, he made several moves towards an international agreement to limit the use of mercury. One of these photos definitely deserves a place among Top 100 most influential photos in history.
Takako Isayama, W.Eugene Smith

Takako Isayama, a 12-year-old fetal (congenital) Minamata disease victim with her mother.

Tomoko with her family, supporters, Gene, and Asahi Camera editor, taken at Tomoko’s home in Minamata on her sixteenth birthday. Photo by Aileen M. Smith. June 13, 1972.

Tomoko, with her family, supporters, W.Eugene Smith, and Asahi Camera editor, taken at Tomoko’s home in Minamata on her sixteenth birthday. Photo by Aileen M. Smith. June 13, 1972.

Teenager Shinobu Sakamoto

Teenager Shinobu Sakamoto, a congenital Minamata disease patient, out on the town to shop for a present.

Minamata Bay

Minamata Bay. A victim of the disease. 1971.

Mercury poisoning. Industrial waste from the Chisso Chemical Plant being dumped into Minimata Bay

Mercury poisoning. Industrial waste from the Chisso Chemical Plant flowing into Minimata Bay

representative of the Chisso

Patients holding down a representative of the Chisso Chemical Plant, demanding that he look at them.

Chisso chairman

Chisso president Kenichi Shimada during marathon negotiations with Minamata disease victims at Chisso Tokyo headquarters.

What is mercury disease: High amounts of mercury affect your nervous system, leading to permanent changes. The condition is specifically dangerous to young children who are still developing. Mercury exposure can lead to developmental problems in the brain, which can also affect physical functions such as motor skills.

Сообщение Minamata by W. Eugene Smith: photos and facts появились сначала на Old Pictures.

]]>
https://oldpics.net/minamata-by-w-eugene-smith-photos-and-facts/feed/ 0