/* * 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
Архивы US - Old Pictures https://oldpics.net Historical photos, stories and even more Tue, 06 Oct 2020 12:34:45 +0000 en-US hourly 1 https://wordpress.org/?v=5.9.5 https://oldpics.net/wp-content/uploads/2017/06/cropped-favicon-32x32.png Архивы US - Old Pictures https://oldpics.net 32 32 Early color pictures of the American lifestyle in the 1920s https://oldpics.net/early-color-pictures-of-the-american-lifestyle-in-the-1920s/ https://oldpics.net/early-color-pictures-of-the-american-lifestyle-in-the-1920s/#comments Tue, 06 Oct 2020 12:34:43 +0000 https://oldpics.net/?p=6124 The special value of these 1920s pictures is that they are real color shots, not colorized. The photographers of the National Geographic...

Сообщение Early color pictures of the American lifestyle in the 1920s появились сначала на Old Pictures.

]]>
1920s US lifestyle picturesThe special value of these 1920s pictures is that they are real color shots, not colorized. The photographers of the National Geographic Society used the autochrome process to obtain America’s color photographs at the beginning of the 20th century. The color multilayer photographic film “Kodachrome” appeared a bit later, in 1935. This invention vastly expanded the possibilities of color printing. 

Nonetheless, the Society accumulated a collection of autochrome color pictures from the 1910s and 1920s with around 12,000 images.

In July 1914, National Geographic magazine published its first color photographs. They showcased the power of autochrome and changed the style of the magazine cover.

Pictures from all over America of the 1920s

Another value of this set is its wide geography. Oldpics used to publish some bright 1920s (as well as other periods’ photographs) pictures of the large cities, like New York, which attracted many outstanding photographers. This photo set is different. There’re plenty of countryside photographs which are relatively rare finds. But those NYC-photography lovers shouldn’t worry either. Some special color shots of the Greatest city in the world are in this publication too.

This series covers different aspects of American life, culture, and magnificent landscapes. These 1920s pictures look closer to the 19th-century landscape photography of Carleton Watkins and American settler’s Solomon Butcher series. Again, these are color ones, and thus they keep some exceptional details of the early 20th-century lifestyle.

Idealized American lifestyle of the 1950s by Nina Leen

Virginia - A girl poses with corncobs and pumpkins during the harvest

Virginia – A girl poses with corncobs and pumpkins during the harvest, Virginia. Photo by Charles Martin.

A woman with a teenager washes on the street in Sperryville. Photo by Charles Martin

A woman with a teenager washes on the street in Sperryville. Photo by Charles Martin

A Hopi Indian  1920s

A Hopi Indian on his donkey stands on the edge of a high mountain. Photo by Franklin Price Knott

Mount Shasta in California and a woman at the edge of a pond. Photo by Franklin Price Knott

Mount Shasta in California and a woman at the edge of a pond. Photo by Franklin Price Knott

Portrait of a Hopi Indian 1920s

Portrait of a Hopi Indian woman weaving a basket. Photo by Franklin Price Knott

Two men stand among white birches in the Battenkill Valley

Two men stand among white birches in the Battenkill Valley, Bennington, Vermont. Photo by Clifton R. Adams

A rider poses with her pony in a rodeo in Texas. Photo by  Clifton R. Adams

A rider poses with her pony in a rodeo in Texas. Photo by Clifton R. Adams

Scenic view of the Capitol. Photo by Charles Martin

Amazing view of the Capitol. Photo by Charles Martin

Vacationers by a running river on a warm summer day. Photo by- Clifton R. Adams

Vacationers by a running river on a warm summer day. Photo by Clifton R. Adams

 Two women look west from the village of Stowe towards Mount Mansfield, Vermont Photo by Clifton R. Adams

Two women look west from Stowe’s village towards Mount Mansfield, Vermont Photo by Clifton R. Adams.

Indian family in their dwelling, tipi. Montana. Photo by Edwin L. Visherd

The story of American way photo by Margarett Bourke-White

Three men stand in front of a plane on the Crowe Reservation in Montana

Three men stand in front of a plane on the Crowe Reservation in Montana. Photo by Edwin L. Visherd

A group of children looks at an elephant at the National Zoo.

Washington, DC. A group of children looks at an elephant at the National Zoo. Photo by Jacob J. Guyer

woman in front of a fruit rack in the US capital.

Washington DC. A woman in front of a fruit rack in the US capital. Photo by Orren R. Lowden

St. Petersburg, Florida. Women sit on the beach.

St. Petersburg, Florida. Women sit on the beach. Photo by Clifton R. Adams

Portrait of a boy in New Orleans

Portrait of a boy in New Orleans. Photo by Edwin L. Visherd

View of the Hudson River in New York.

View of the Hudson River in New York. Photo Credi Clifton R. Adams and Edwin L. Visherd

A group of people relaxing on the ocean coast, Miami Beach, Florida

A group of people relaxing on the ocean coast, Miami Beach, Florida. Photo by Clifton R. Adams.

pictures 1920s

Swimming competition in Florida

pictures 1920s

The sixty-story Woolworth Building rises on the New York skyline. Photo by Clifton R. Adams

See more: Postwar New York in 65 unforgettable vintage pictures

New Yorkers browse the assortment of goods sold along city streets. Photo by Clifton R. Adams and Edwin L. Visherd.

New Yorkers browse the assortment of goods sold along city streets. Photo by Clifton R. Adams and Edwin L. Visherd.

Aerial photography of Manhattan.

Aerial photography of Manhattan. Photo by Clifton R. Adams and Edwin L. Visherd

People in the cotton field in Louisiana, 1920s

People in the cotton field in Louisiana. Photo by Edwin L. Visherd

A coastal patrol pushes a boat into the water.

Atlantic City, New Jersey. A coastal patrol pushes a boat into the water. Photo by Clifton R. Adams

Five boys eat a watermelon in New Orlean. Photo by Edwin L. Visherd

Five boys eat watermelon in New Orlean. Photo by Edwin L. Visherd

Pine Ridge Indian Reservation, South Dakota. Kids outside a house with a turf roof.

Pine Ridge Indian Reservation, South Dakota. Kids outside a house with a turf roof. Photo by Richard Hewitt Stewart

At the fair in Lundonville, Ohio.

At the fair in Lyndonville, Ohio. Photo by Jacob J. Guyer

Apple stand at the Lundonville fair, Ohio

Apple stands at the Lyndonville fair, Ohio Photo by Jacob J. Guyer.

A group of students on the terrace at Cornell University.

A group of students on the terrace at Cornell University. Photo by Clifton R. Adams

Washington Square and Fifth Avenue, pictures 1920s

Washington Square and Fifth Avenue. Photo by Clifton R. Adams and Edwin L. Visherd

French Quarter, New Orlean 1920s

French Quarter, New Orlean. Photo by- Edwin L. Visherd

1920s pictures of Praline saleswoman in the French Quarter.

Praline saleswoman in the French Quarter. Photo by Edwin L. Visherd

Children gather around a snowball vendor, New Orlean.  1920s pictures

Children gather around a snowball vendor, New Orlean. Photo by Edwin L. Visherd

A woman sitting on stone steps in the French Quarter sells pralines.

A woman sitting on stone steps in the French Quarter sells pralines. Photo by Edwin L. Visherd

A boy sits on a barrel outside a brewery in the French Quarter,

A boy sits on a barrel outside a brewery in the French Quarter, New Orlean. Photo by Edwin L. Visherd

Washington Square in New York.  1920s

Washington Square in New York. Photo by Clifton R. Adams and Edwin L. Visherd

Hopi Indian Reservation - Men stand next to a car in a field and look at a nearby canyon.

Hopi Indian Reservation – Men stand next to a car in a field and look at a nearby canyon.

A rider shows her sister how to handle ropes, Fort Worth, Texas.

A rider shows her sister how to handle ropes, Fort Worth, Texas.

A view of the main street in the downtown area of Columbus, Ohio. Photo by Jacob J. Guyer

Atlantic City, New Jersey, 1920s. Panoramic views of beaches, marinas and hotels along the waterfront.

Atlantic City, New Jersey, 1920s. Panoramic views of beaches, marinas, and hotels along the waterfront. Photo by Clifton R. Adams

A ranch where guests can feel like cowboys in Arizona.

A ranch where guests can feel like cowboys in Arizona. Photo by Clifton R. Adams

A woman sits outside the door of the Old Absinthe House in New Orleans. Photo by Edwin L. Visherd

Four tour guides await tourists for a tour of the Gettysburg Battlefield, Gettysburg, PA

Four tour guides await tourists for a tour of the Gettysburg Battlefield, Gettysburg, PA.

Coast Guard officers set sail in their boat.

Coast Guard officers set sail in their boat. Photo by Jacob J. Guyer

Cowboys and horseback riders sit along a fence at a rodeo, San Antonio, Texas.

Men load bins with sulfur, Galveston, TX , pictures 1920s

Men load bins with sulfur, Galveston, TX.

See more: Texas City explosion, 1947: Shocking pictures and video of the accident

A man shovels sulfur in a warehouse near the pier, Galveston, Texas.

A man shovels sulfur in a warehouse near the pier, Galveston, Texas.

Three young women at the rodeo, Fort Worth, Texas.

Three young women at the rodeo, Fort Worth, Texas.

Crowe Indian Reservation, Montana - Men stand next to the monument to the Seventh Cavalry.

Crow Indian Reservation, Montana – Men stand next to the monument to the Seventh Cavalry.

Head of the Crowe Indian Reservation, Montana

Head of the Crowe Indian Reservation, Montana

 

Сообщение Early color pictures of the American lifestyle in the 1920s появились сначала на Old Pictures.

]]>
https://oldpics.net/early-color-pictures-of-the-american-lifestyle-in-the-1920s/feed/ 1
TOP 50 legendary LIFE magazine photographs https://oldpics.net/top-50-legendary-life-magazine-photographs/ https://oldpics.net/top-50-legendary-life-magazine-photographs/#comments Mon, 05 Oct 2020 13:05:01 +0000 https://oldpics.net/?p=6067 The LIFE magazine archive counts millions of excellent pictures. Oldpics attempted to select the best 50 of them. LIFE magazine always managed...

Сообщение TOP 50 legendary LIFE magazine photographs появились сначала на Old Pictures.

]]>
The LIFE magazine archive counts millions of excellent pictures. Oldpics attempted to select the best 50 of them.

LIFE magazine always managed to onboard the best photographers. Starting from the first issue that hit the shelves on November 23, 1936, the continuously surprised the public with their sharp and unforgettable photographs. No surprise, the LIFE magazine was the top illustrated US publication for decades.

LIFE magazine was published weekly from 1936 to 1972. Nonetheless, competitors (TV, mostly) took their readers’ share and forced the glorious publication to switch to a monthly basis. The magazine stood tall from 1978 to 2000. 

But we still remember the LIFE magazine! We continue to dig through its archives and find new and new amazing photographs that deserve the fresh publication. This publication covers the LIFE magazine photographs that became an integral part of the photo history. Many of these pictures starred the 100 most important pictures in history.

Here you can check our selection of the Best LIFE magazine’s covers.

The Marlboro Man

The Marlboro Man. 

Photo by Leonard McCombe, 1949.

39-year-old Texas cowboy Clarence Hailey. This image became the best-known cigarette advertisement.

The Beatles in Miami

The Beatles in Miami

Photo by John Loengard, 1964.

The Beatles on their famous American Tour. The pool water was quite cold that day, as Ringo’s grimace tells.

Sea of Hats

Sea of Hats

Photo by: Margaret Bourke-White, 1930.

A crowd wearing hats on the streets of New York. Interestingly, Margaret Bourke-White captured this image before the LIFE publication started. It looks like magazine editors took this picture and published it later just for its artistic value.

Peek-A-Boo

Peek-A-Boo

Photo by Ed Clark, 1958.

John F. Kennedy plays hide-n-seek with his daughter Caroline.

Read more: Rosemary Kennedy: the tragedy of JFK’s sister lobotomy in pictures.

Lion in Winter

Lion in Winter

Photo by: John Bryson, 1959.

Hemingway near his home in Ketchum, Idaho. This picture was featured in our Hemingway and Alcohol selection.

In 20 months, Ernest Hemingway will pass away.

Liz and Monty

Liz and Monty

Photo by Peter Stackpole, 1950.

Elizabeth Taylor and Montgomery Clift take a break during filming “A Place in the Sun” at Paramount Studios.

Pied Piper of Ann Arbor

Pied Piper of Ann Arbor

Photo by: Alfred Eisenstaedt, 1950.

A drummer from the University of Michigan marches with children. See more beautiful photographs by Alfred Eisenstaedt.

Parting the Sea in Salt Lake City

Parting the Sea in Salt Lake City

Photo by J.R. Eyerman, 1958.

The auto movie theater in the capital of Utah, Salt Lake City. Moses, in front of the parting Red Sea in the film “The Ten Commandments.”

Sand of Iwo Jima

The sand of Iwo Jima

Photo by: W. Eugene Smith, 1945.

American Marines during the Battle of Iwo Jima in the spring of 1945. See more amazing WW2 photography by Eugene Smith.

Picasso and Centaur

Picasso and Centaur

Author of the photo: Gjon Mili, 1949.

Ephemeral drawing in the air.

Reaching Out

Reaching Out

Photo by Larry Burrows, 1966.

Marines during the Vietnam War. The black soldier reaches out to his wounded, white comrade.

Meeting peace With fire hoses

Meeting peace With fire hoses.

Photo by: Charles Moore, 1963.

Fire hoses were used to disperse a peaceful anti-segregation rally in Birmingham, Alabama.

Marlene Dietrich

Marlene Dietrich

Photo by: Milton Greene, 1952.

Littlest Survivor

Littlest Survivor

Photo by W. Eugene Smith, 1943.

Another WW2 masterpiece of Eugene Smith. During World War II, hundreds of Japanese were besieged on Saipan’s island and committed mass suicide to avoid Americans’ surrender. When American Marines examined the island,  they found a barely alive child in one of the caves. Here’s a story behind this stunning photograph.

Liberation of Buchenwald

Liberation of Buchenwald

Photo by: Margaret Bourke-White, 1945.

Jumping Royals

Jumping Royals

Photo by Philippe Halsman, 1959.
Duke and Duchess of Windsor.

Jet Age Man

Jet Age Man

Photo by Ralph Morse, 1954.

Measurement of the pilot’s anthropological data with special lighting from alternating bands of light and shadow of various thicknesses. That was the key ingredient for the new flight helmet design by the US Air Force.

Jack and Bobby

Jack and Bobby

Photo by Hank Walker, 1960.

John F. Kennedy (still a Senator) with his brother Robert at a hotel during the Democratic convention in Los Angeles.

Into the Light

Into the Light

Photo by: William Eugene Smith, 1946.

Ingenue Audrey

Ingenue Audrey

Photo by: Mark Shaw, 1954.

25-year-old  star Audrey Hepburn while filming Roman Holiday.

Gunhild Larking

Gunhild Larking

Photo by George Silk, 1956.

Swedish high jumper Gunhild Larking at the 1956 Olympic Games in Melbourne.

Goin’ Home

Goin’ Home

Officer Graham Jackson plays the song “Goin ‘Home” at President Roosevelt’s April 12, 1945 funeral.

Freedom Riders

Freedom Riders

Photo by Paul Schutzer, 1961.
“Riders of Freedom” called the joint bus trips of black and white activists who protested against the violation of black people’s rights in the southern states of the United States. In 1961, activists rented buses and traveled around the southern states. No surprise, they were repeatedly attacked and arrested by southern whites. During a trip from Montgomery, Alabama, to Jackson, Mississippi, National Guard soldiers were assigned to protect the riders.

Face of Death

Face of Death

Photo by: Ralph Morse, 1943.
The head of a Japanese soldier on a tank.

Eyes of Hate

Eyes of Hate

Photo by: Alfred Eisenstaedt, 1933.

The moment when Goebbels (sitting) found that his photographer was a Jew and he stopped smiling. The full story behind Eyes of hate pictures.

Dennis Stock

Dennis Stock

Photo by Andreas Feininger, 1951.
Portrait of the photographer Dennis Stock.

Dali Atomicus

Dali Atomicus

Photo by Philippe Halsman, 1948.
Six hours and 28 throws (water, chair, and three cats). According to the photographer, he and his assistants were wet, dirty, and completely exhausted when the shot was successful. The Dali Atomicus is among the 100 most important pictures in history.

Read more: All Pulitzer Prize photos (1942-1967)

Country Doctor

Country Doctor

Photo by W. Eugene Smith, 1948.
Rural doctor Ernest Ceriani, the only doctor in the 1200 square miles area. In this photo, Eugene Smith captured a moment after a botched cesarean section that killed a mother and child due to complications. See more pictures and a full story behind the Country Doctor photo.

Charlie Chaplin

Charlie Chaplin

Photo by W. Eugene Smith, 1952.
Charlie Chaplin, 63.

Center of Attention

Center of Attention

Photo by: Leonard McCombe, 1956.

Both Sides Now

Both Sides Now

Photo by: John Shearer, 1971.
Muhammad Ali before his fight with Joe Fraser in March 1971. Ali loved to tease opponents. Before the fight with Fraser, he questioned the latter’s masculinity, intellectual abilities, and even his “black skin”.

Before the Wedding

Before the Wedding

Photo by: Michael Rougier, 1962.

Before Camelot, a Visit to West Virginia

Before Camelot, a Visit to West Virginia

Photo by Hank Walker, 1960.
John F. Kennedy speaks during the election campaign in an American town.

Alexander Solzhenitsyn Breathes Free

Alexander Solzhenitsyn Breathes Free

Photo by Harry Benson.
Free-breathing. Alexander Solzhenitsyn in Vermont.

Airplane Over Manhattan

Airplane Over Manhattan.

Photo by: Margaret Bourke-White, 1939.

Agony

Agony

Photo by: Ralph Morse, 1944.
Army medic George Lott, badly wounded in both arms.

A Wolf's Lonely Leap

A Wolf’s Lonely Leap

Photo by Jim Brandenburg, 1986.
The polar wolf fights for survival in northern Canada.

A Leopard’s Kill

A Leopard’s Kill

Photo by: John Dominis, 1966.
Leopard with a victim.

A Child Is Born

A Child Is Born

Photo by: Lennart Nilsson, 1965.
The first-ever picture of a baby in the womb.

A Boy’s Escape

A Boy’s Escape

Photo by: Ralph Crane, 1947.
This staged photo depicts a boy escaping from an orphanage.

3D Movie Audience

3D Movie Audience

Photo by: J.R. Eyerman, 1952.
The first full-length stereo film Bwana Devil.

Winston Churchill

Winston Churchill

Author photo: Yousuf Karsh, 1941.
Prime Minister of Great Britain in 1940-1945 and 1951-1955. Politician, military man, journalist, writer, laureate of the Nobel Prize in Literature. 

See more: Winston Churchill as an artist and his other leisure pictures.

Three Americans

Three Americans

Photo by: George Strock, 1943.
American soldiers were killed in battle with the Japanese on a beach in New Guinea. The first shot of dead American soldiers on the battlefield during World War II.

The Puppet Show

The Puppet Show

Photo by Alfred Eisenstaedt, 1963.
At a puppet show in a Parisian park. The moment of the killing of the serpent by Saint George.

The Longest Day

The Longest Day

Photo by Robert Capa, 1944.
The landing of the American army on Omaha Beach in Normandy on June 6, 1944. It was also depicted in the film “Saving Private Ryan” by Steven Spielberg.

The Kiss

The Kiss

Photo by Alfred Eisenstaedt, 1945.
One of the most famous photographs. Kiss of a sailor and a nurse after the end of the war.

The story ‘V-J Day in Times Square’ by Alfred Eisenstaedt

The Great Soul

The Great Soul

Photo by: Margaret Bourke-White, 1946.
Mahatma Gandhi, next to his spinning wheel, symbolizes the non-violent movement for Indian independence from Britain.

The American Way

The American Way

Photo by: Margaret Bourke-White, 1937.
Food queue during the Great Depression with a poster reading, “There is way like the American way.”

The story of the American way photo by Margarett Bourke-White

Steve McQueen

Steve McQueen

Photo by: John Dominis, 1963.
Actor Steve McQueen, who starred in The Magnificent Seven.

Sophia Loren

Sophia Loren

Photo by Alfred Eisenstaedt, 1966.
Sophia Loren, in the movie “Italian Marriage.” When this candid snapshot took the cover of LIFE, many criticized the magazine for “going into pornography.” One reader wrote, “Thank God the postman comes at noon when my kids are at school.”

Сообщение TOP 50 legendary LIFE magazine photographs появились сначала на Old Pictures.

]]>
https://oldpics.net/top-50-legendary-life-magazine-photographs/feed/ 3
Lee Miller in the bathroom of Adolf Hitler https://oldpics.net/lee-miller-in-the-bathroom-of-adolf-hitler/ https://oldpics.net/lee-miller-in-the-bathroom-of-adolf-hitler/#respond Mon, 05 Oct 2020 08:32:09 +0000 https://oldpics.net/?p=6059 Somehow this photo of former-model Lee Miller in Hitler’s bathroom is one of the best-known WW2 photography. Its story is noteworthy, though....

Сообщение Lee Miller in the bathroom of Adolf Hitler появились сначала на Old Pictures.

]]>
Lee Miller in the bathroom of Adolf HitlerSomehow this photo of former-model Lee Miller in Hitler’s bathroom is one of the best-known WW2 photography. Its story is noteworthy, though. Photographers Lee Miller and David Sherman worked together during WWII. Miller shot for Vogue, Sherman shot for LIFE. They participated in the liberation of the Dachau concentration camp. The very next day, photographers entered Munich together with the 45th American division. Precisely speaking, Lee Miller didn’t shower in the secondary apartment of Adolf Hitler, which he used during his trips to Bavaria.

“Lee and I found an elderly gentleman who barely spoke English, gave him a box of cigarettes, and said, ‘Show us Munich,’” Sherman recalled in a 1993 interview. “He showed us around Hitler’s house, and I photographed Lee washing in Hitler’s bathroom.”

Lee Miller moved from the apartment of Hitler to the mansion of Eva Braun

Miller and Sherman lived in the apartment of Adolf Hitler for several days. After that, they even squatted in the house of Eva Braun, which was located nearby. 

The photo of Lee Miller taking a bath in the Fuhrer’s apartment caused a flurry of indignation. Many considered the photographers’ behavior unethical. Lee Miller’s son, Anthony Penrose, commenting on the image, said: “Her boots covered in Dachau mud are on the floor are. She says she is a winner. But what she didn’t know was that a few hours later in Berlin, Hitler and Eva Braun would kill themselves in a bunker. ”

Many people noticed that Hitler decorated the bathroom with his own portrait and a classic statue of a woman. The New York Times described the photograph as “A woman caught between horror and beauty.” However, some researchers have interpreted the image more deeply, arguing that there is no single accidental detail in it. The pollution of Hitler’s bathroom with Dachau dust was a deliberate act. The Sherman bathing photographs in the same bath, taken by Lee Miller, are also symbolic since the photographer was a Jew.

Read more: Raising a Flag over the Reichstag by Yevgeniy Khaldei,1945

Commenting on the photos, Miller said she was trying to wash off the Dachau scents. 

David Sherman, a jew, tried the Hitler's bathroom too

David Sherman, a jew, tried Hitler’s bathroom too

former Vogue model Lee Miller

Lee Miller WW2 photos




Сообщение Lee Miller in the bathroom of Adolf Hitler появились сначала на Old Pictures.

]]>
https://oldpics.net/lee-miller-in-the-bathroom-of-adolf-hitler/feed/ 0
The death of Ernest Hemingway: rare archive pictures https://oldpics.net/the-death-of-ernest-hemingway-rare-archive-pictures/ https://oldpics.net/the-death-of-ernest-hemingway-rare-archive-pictures/#comments Wed, 30 Sep 2020 19:41:30 +0000 https://oldpics.net/?p=5980 THE LAST YEARS of Ernest Hemingway and his tragic death have left many questions and secrets. Even today, it is not completely...

Сообщение The death of Ernest Hemingway: rare archive pictures появились сначала на Old Pictures.

]]>
 Ernest Hemingway DeathTHE LAST YEARS of Ernest Hemingway and his tragic death have left many questions and secrets. Even today, it is not completely clear what the writer was sick with. We decided to publish some rare pictures of the death ceremony of Ernest Hemingway and some facts about his last days.

The last days of the colorful life

Ernest Hemingway has seen a lot of things in his life. He knew everything literally: WWI injuries, dramas, civil war, travel, world recognition, car races, lion hunts, women, bullfights, alcohol. Lots of alcohol. Many people won’t experience even a small part of what Hemingway passed through. 

The last years of the writer’s life were hard for him. It was so hard that his last life, Mary, even said that ‘Ernest Hemingway was waiting for his death.’ The bright mind of this active and lively person was poisoned by depression. He could no longer work as much as he was used to. The love of alcohol was also not in vain – numerous diseases tormented the writer. Hemingway suffered from paranoia – he thought that the government was spying him. The electroshock treatment only exacerbated the problem, and he began to lose his memory. It was the most valuable treasure, as Hemingway used to say. Only in the 80s of the last century, the FBI declassified the writer’s case, which confirmed his agents’ pursuit.

Read more: Ernest Hemingway and His Cats (9 rare pictures)

A church where the Ernest Hemingway death ceremony was held

A church where the Ernest Hemingway death ceremony was held

Father’s curse

“A real man cannot die in bed. He must either die in battle or put a bullet in the forehead.” That’s what Ernest Hemingway used to say about death. Who could know that it will become a prophecy? 

It was the early morning of July 1961. Hemingway went out onto the veranda of his house, rested his chin on the barrel, and fired a bullet from his favorite gun. Tourists still come to the house where Hemingway died in Ketchum, Idaho.

Many biographers make the most mystical assumptions about the reasons for that fateful act. The version that Hemingway died of “inheritance” is especially popular. The writer’s father died similarly, having shot himself with a gun. Father’s death was a real shock for young Ernest Hemingway; he could not forgive his dad’s weakness. As if a terrible curse haunts the Hemingway family, and after his death, his younger brother and the writer’s granddaughter committed suicide.

Mary Welsh Hemingway walks towards husband's coffin

Mary Welsh Hemingway walks towards the husband’s coffin.

FBI and the Death of Ernest Hemingway 

The whole sequence of events and actions of doctors in Ketchum, wife Mary, psychiatrists in New York, and the Mayo Clinic in Rochester convinces us that none of them wanted to treat the patient’s condition comprehensively systematically. Neither Mary nor any of Hemingway’s friends, nor doctors tried to hear the writer. Yes,  it wasn’t easy to make an accurate diagnosis. But we now have evidence that the FBI directly or indirectly influenced the doctors’ conclusions.

FBI management revealed an archive file of Ernest Hemingway 20 years after the death. It turned out that agents followed the writer since 1942.

John Edgar Hoover, who directed the FBI for 50 years, received confidential and secret messages about Hemingway’s activities and his entourage.

The FBI file contains details about the writer’s treatment at the Mayo Clinic in 1961 in Rochester. The agent reported to his superiors that Hemingway was at the medical center under George Savior. The report notes that the writer is being treated with an electric shock. We may assume that one of Hemingway’s doctors was an informants and, possibly, an FBI agent. The treatment methods and the burden on the patient were known to the experts of the special service. They could not help but understand that Hemingway’s health is under great threat.Ernest Hemingway Death

Ernest Hemingway last pictures

Ernest Hemingway's sons at father's funeral

Ernest Hemingway’s sons at father’s funeral

The funeral of Hemingway

a special photo teqniuque

Photographer wasn't allowed to come any closer

Photographer wasn’t allowed to come any closer

The tomb of Ernest Hemingway

Hemingway's house in Idaho

Hemingway’s house in Idaho

A restaurant where guests spent some time after the funeral of Ernest Hemingway

A restaurant where guests spent some time after the funeral of Ernest Hemingway

Hemingway with a gun

Hemingway with that gun

Сообщение The death of Ernest Hemingway: rare archive pictures появились сначала на Old Pictures.

]]>
https://oldpics.net/the-death-of-ernest-hemingway-rare-archive-pictures/feed/ 1
15 best LIFE magazine covers https://oldpics.net/20-best-life-magazine-covers/ https://oldpics.net/20-best-life-magazine-covers/#respond Wed, 30 Sep 2020 15:36:11 +0000 https://oldpics.net/?p=5961 Oldpics continues to be of the view that almost all pictures from LIFE Magazine covers are iconic. Here’s why we selected photos...

Сообщение 15 best LIFE magazine covers появились сначала на Old Pictures.

]]>
LIFE magazine coversOldpics continues to be of the view that almost all pictures from LIFE Magazine covers are iconic. Here’s why we selected photos for this publication with special attention. After all, it’s not an easy task to choose just 50 photos from the endless archive (10B of images inside of it) and numerous amazing LIFE magazine covers.

Why LIFE magazine covers were so important

The stunning covers were one of the reasons why LIFE magazine gained its popularity. Excellent cover images emphasized the unique design and overall visual approach of this publication. Beautifully illustrated photographs accompanied any events, news, magazine reviews. LIFE’s illustrations were close to perfect, and they dominated the public imagination in the pre- and early TV era. Can you imagine that watching and reading LIFE was much more fun for Americans than watching television news in the 1940s? The best masters contributed their photographs to the magazine. Then editors selected the best of them for the LIFE magazine covers.

Read more: 100 most important pictures in history

Alfred Hitchcock

Alfred Hitchcock

Audrey Hepburn posed at home for the 1953 LIFE magazine covers

Audrey Hepburn posed at home for the 1953 LIFE magazine cover.

Bill Murray on the LIFE magazine covers

Bill Murray

Saipan photos be Eugene Smith

Cover of LIFE 1945. The magazine actively covered the events of the war. This photo of Eugene Smith is perhaps one of the most heartbreaking images of WWII.

John and Jacqueline Kennedy resting on a yacht, 1953 cover

John and Jacqueline Kennedy resting on a yacht, 1953 cover

Artists behind LIFE magazine covers

All photographers’ names in this list are legends for Oldpics. Leonard McCombe, J.R. Eyerman, John Bryson, W. Eugene Smith, Lennart Nilsson, Ralph Morse, Margaret Bourke-White, Ed Clark,  Ralph Morse, Leonard McCombe, Philippe Halsman, Mark Shaw, Alfred Eisenstaedt, and many others. We’ve dedicated a separate publication at Oldpics to some of the most prominent photographers from this list. But all of them are genius, and we promise to cover their photography (both the best images and the stories behind the selected ones) in the future.

LIFE magazine April 8, 1946 is dedicated to the circus.

LIFE magazine, April 8, 1946, is dedicated to the circus.

Marilyn Monroe, 1959

Marilyn Monroe, 1959

Marlon Brando

Marlon Brando, 1972

Neil Armstrong LIFE magazine covers

Neil Armstrong

Pablo Picasso on the Life magazine covers

Pablo Picasso

Sunbathing girls in bikinis on the cover of LIFE 1956.

Sunbathing girls in bikinis on the cover of LIFE 1956.

Read more: Idealized American lifestyle of the 1950s by Nina Leen

The Beatles on their first US tour. Cover of LIFE, 1964.

The Beatles on their first US tour. Cover of LIFE, 1964.

The Jackson Family, 1971

The Jackson Family, 1971

USA Water Polo Team, 1996.

USA Water Polo Team, 1996.

Victorious Yank, 1945

Victorious Yank, 1945

Сообщение 15 best LIFE magazine covers появились сначала на Old Pictures.

]]>
https://oldpics.net/20-best-life-magazine-covers/feed/ 0
Vintage Las Vegas: amazing historical pictures of the Sin City https://oldpics.net/vintage-las-vegas-amazing-historical-pictures-of-the-sin-city/ https://oldpics.net/vintage-las-vegas-amazing-historical-pictures-of-the-sin-city/#respond Wed, 30 Sep 2020 12:35:36 +0000 https://oldpics.net/?p=5937 These stunning vintage Las Vegas pictures shed light on the pre- and an early neon era of the city. Nowadays, Las Vegas...

Сообщение Vintage Las Vegas: amazing historical pictures of the Sin City появились сначала на Old Pictures.

]]>
Vintage photos of Downtown Las Vegas in 1942

These stunning vintage Las Vegas pictures shed light on the pre- and an early neon era of the city.

Nowadays, Las Vegas is the world’s capital of entertainment, but it was a bit different back in vintage days. But no one could guess that the city will develop this way on the day of its foundation in 1905. It was a modest settlement amidst a rocky desert, and its name “Las Vegas,” which ironically means “fertile valleys” in Spanish. It was just an important railway junction for a long time, where trains were refueled, going mainly from west to east and back.

Our vintage pictures set covers the whole history of Las Vegas, from the foundation decade to the years when the city became a world-known attraction.

Time to gamble!

The gambling became legal in the state of Nevada in 1931. At the same time, the construction of the Hoover Dam began 40 kilometers away from Las Vegas. These two factors changed the fate of the city dramatically. After WWII, lavishly decorated hotels, gambling establishments, and entertainment became synonymous with Las Vegas. The Golden Gate Hotel and Casino is the oldest continuously operating hotel and casino in Las Vegas. It is located in the city center on Fremont Street, opened in 1906 as the Nevada Hotel.

Check out vintage photo sets from the different cities in our special section.

Vintage Las Vegas, 1906

Vintage Las Vegas, 1906

Vintage photos of Downtown Las Vegas in 1942

Downtown Las Vegas in 1942

Swimmers at the pool in a Las Vegas hotel watch a cloud from a nuclear explosion at a testing site 120 kilometers from the hotel, 1953

Swimmers at the pool in a Las Vegas hotel watch a cloud from a nuclear explosion at a testing site 120 km from the hotel, 1953

Vintage Las Vegas photo The glow from a nuclear explosion at a proving ground caught the attention of Las Vegas casino workers, March 1953

The glow from a nuclear explosion at a proving ground caught the attention of Las Vegas casino workers, March 1953

Vintage pictures of nuclear mushrooms

Nuclear mushrooms were another entertainment that attracted tourists to Las Vegas in the 1950s. The test site was not so far away from the city, and people could observe the most significant nuclear explosions out of a total of 928 that were made. The first one was in January 1951. 

“The nuclear explosion in Nevada this morning (February 2, 1951) is reputedly by far-flung observers the most violent of the four this week. It shook Las Vegas from 64 to 112 kilometers away like an earthquake. Buildings swayed, shop windows shattered. The flash, first white, then orange and finally yellow, was seen from the farthest distance compared to any other that had previously occurred”.

Vintage Las Vegas Strip. A 1940s photo shows a gas station at the Last Frontier Hotel, the second hotel on the Strip.

Vintage Las Vegas Strip. A 1940s photo shows a gas station at the Last Frontier Hotel, the second hotel on the Strip.

Las Vegas Strip, 1968.

Las Vegas Strip, 1968.

Vintage photos of the Fremont Street, Las Vegas, July 1962.

Vintage photos of the Fremont Street, Las Vegas, July 1962.

Strip, Las Vegas, 1955

Strip, Las Vegas, 1955

Nevada Club, 1958

Nevada Club, 1958

Neon lights shaped the city development

Neon lights shaped the city development

Las Vegas, 1959

Las Vegas, 1959

Las Vegas, 1957

The Sin City in 1957

Las Vegas postcard

Las Vegas postcard

Golden Nugget, Las Vegas, Nevada, 1960

Golden Nugget, Las Vegas, Nevada, 1960

Golden Nugget in 1962

Golden Nugget in 1962

Downtown, 1958

Downtown, 1958

Frank Sinatra playing baccarat at the Sands Casino, Las Vegas, November 1959.

Frank Sinatra playing baccarat at the Sands Casino, Las Vegas, November 1959.

Read more: Frank Sinatra’s Arrest, New Jersey, 1938

Hunter S. Thompson and Dr. Gonzo at Caesar's Palace in Las Vegas in 1971.

Hunter S. Thompson and Dr. Gonzo at Caesar’s Palace in Las Vegas in 1971.

Сообщение Vintage Las Vegas: amazing historical pictures of the Sin City появились сначала на Old Pictures.

]]>
https://oldpics.net/vintage-las-vegas-amazing-historical-pictures-of-the-sin-city/feed/ 0
64 Amazing photos by Alfred Eisenstaedt https://oldpics.net/64-amazing-photos-by-alfred-eisenstaedt/ https://oldpics.net/64-amazing-photos-by-alfred-eisenstaedt/#comments Tue, 29 Sep 2020 14:37:26 +0000 https://oldpics.net/?p=5840 Alfred Eisenstaedt photos are an integral part of the history of photojournalism. He captured informal portraits of kings, dictators, scientists, athletes, and...

Сообщение 64 Amazing photos by Alfred Eisenstaedt появились сначала на Old Pictures.

]]>
Alfred Eisenstaedt photographyAlfred Eisenstaedt photos are an integral part of the history of photojournalism. He captured informal portraits of kings, dictators, scientists, athletes, and movie stars and sensitively portrayed ordinary people in everyday situations. Alfred Eisenstadt said that his goal was “to find and capture the moment of the story.”

Oldpics has covered the ‘V-J Day,’ which is one of the most remarkable photos by Alfred Eisenstadt. It also hit the list of Top 100 most important photos in history. In this publication, we’ll show you his most brilliant photos.

Buttons and cameras

Alfred Eisenstaedt was born in 1898 in the city of Dirschau (then Eastern Germany, now it’s Tczew in Poland). He died at 96 and devoted more than 70 to photography. Eisenstaedt studied at the University of Berlin, joined the German Army during WWI. After the war, he sold buttons and belts in Berlin and started to freelance as a photojournalist. In 1929, he received his first photo assignment. It was the beginning of a professional career as a photojournalist: he was filming the Nobel Prize ceremony in Stockholm.

Alfred Eisenstaedt

Alfred Eisenstaedt, 1930s

A new ‘LIFE’ in the US

From 1929 to 1935, Eisenstadt was a staff photojournalist for the Pacific and Atlantic agency, then a part of the Associated Press. While dodging the horrors of the jew-life in Nazi Germany, he emigrated to the United States in 1935. Alfred Eisenstaedt continued his photo career in New York, working for Harper’s Bazaar, Vogue, Town and Country, and other publications. In 1936, Henry Luce hired him as one of four photographers for LIFE magazine (the other three cameramen were Margaret Burke-White, Peter Stackpole, and Thomas McAvoy). Eisenstaedt stayed with this legendary magazine for the next four decades. His photographs have appeared on the LIFE magazine covers 90 times.

Alfred Eisenstaedt was among those Europeans who pioneered using the 35mm camera in photojournalism on American publications after WWI. He was also an early advocate of natural light photography. When photographing famous people, he tried to create a relaxed atmosphere to capture natural postures and expressions: “Don’t take me too seriously with my small camera,” Eisenstaedt said. – I’m here not as a photographer. I came as a friend. “

Alfred Eisenstaedt photos of Agricultural school for Prussian coachmen

Agricultural school for Prussian coachmen trained to hold the reins. Neudeck, East Prussia, 1932.

Secret trick of Alfred Eisenstaedt

Creating a relaxed environment was not always easy. Let’s take a photoshoot with Ernest Hemingway in his boat in 1952. While establishing those special links between genius and the photographer, the writer tore his shirt in a rage and threatened to throw Alfred Eisenstaedt overboard. The photographer recalled that shooting in Cuba in 1952 more than once. “Hemingway nearly killed me,” the photographer said.

Unlike many photojournalists of the post-war period, Alfred Eisenstadt didn’t commit to any particular type of events or geographic area. He was a generalist. And he liked to capture people and their emotions than the news. Editors appreciated his eagle eye and his talent to take good photographs of any situation or event. Eisenstadt’s skill set a perfect composition that turned his photos into the era’s memorable documents in historical and aesthetic contexts.

Eyes of Hate Alfred Eisenstadt photography

Nazi Germany’s propaganda minister Joseph Goebbels at the 1933 League of Nations conference in Geneva. He had just found out that the photographer was Jewish and stopped smiling. This photo was one of the first shots of Alfred Eisenstadt that appeared on the cover of the LIFE magazine.

Eyes of hate: story behind iconic photo by  Alfred Eisenstaedt

Ballerinas in Paris, 1950s

Ballerinas with a ballet master at a rehearsal at the Paris Opera. Paris, France, 1932.

V-J day, 1945 Alfred Eisenstaedt photos

V-J Day, 1945

The story ‘V-J Day in Times Square’ by Alfred Eisenstaedt

Senior waiter René Breguet from the Grand Hotel serving ice skating cocktails. The commune of St. Moritz in Switzerland, 1932.

Senior waiter René Breguet from the Grand Hotel serving ice skating cocktails. The commune of St. Moritz in Switzerland, 1932.

Young monks walk across the Ponte Vecchio in Florence, Italy, 1935.

Young monks walk across the Ponte Vecchio in Florence, Italy, 1935.

Writer William Somerset Maugham, South Carolina, USA, 1942.

Writer William Somerset Maugham, South Carolina, USA, 1942.

Alfred Eisenstaedt photos Writer Ernest Hemingway. Havana, Cuba, 1952.

Writer Ernest Hemingway. Havana, Cuba, 1952.

Read more: Ernest Hemingway and a dead cat

Winston Churchill, Chartwell, Kent, England, 1951.

Winston Churchill, Chartwell, Kent, England, 1951.

Read more: Winston Churchill with a Tommy Gun, 1940

Trees in the snow, St. Moritz, 1947.

Trees in the snow, St. Moritz, 1947.

Alfred Eisenstaedt photos of The room where Beethoven was born. Bonn, Germany, 1979.

The room where Beethoven was born. Bonn, Germany, 1979.

Alfred Eisenstaedt photos of The room where Beethoven was born. Bonn, Germany, 1979.

The room where Beethoven was born. Bonn, Germany, 1979.

The hull of the German airship Graf Zeppelin, renovated over the South Atlantic, 1933.

The hull of the German airship Graf Zeppelin renovated over the South Atlantic, 1933.

Alfred Eisenstaedt photos of  Street musicians near Rue Saint-Denis in Paris, 1932.

Street musicians near Rue Saint-Denis in Paris, 1932.

Alfred Eisenstaedt photos of  Sophia Loren, Rome, Italy, 1961.

Sophia Loren, Rome, Italy, 1961.

Alfred Eisenstaedt photos of  Sophia Loren in Italian Marriage, Rome, Italy, 1964.

Sophia Loren behind the scenes of the ‘Italian Marriage,’ Rome, Italy, 1964.

Alfred Eisenstaedt photos of  Singer Jane Foreman at NBC 4H Studios in New York, 1937.

Singer Jane Foreman at NBC 4H Studios in New York, 1937.

Salvador Dali with his wife at a New Year's party in New York, January 1956.

Salvador Dali with his wife at a New Year’s party in New York, January 1956.

Alfred Eisenstaedt photos of the Runners at the Italian Forum, Rome, 1934.

Runners at the Italian Forum, Rome, 1934.

Alfred Eisenstaedt photos of  Robert Oppenheimer, Director of the Institute for Advanced Study, discusses the theory of matter in terms of space with Albert Einstein in Princeton, New Jersey, 1947.

Director of the Institute for Advanced Study, Robert Oppenheimer, discusses the theory of matter in terms of space with Albert Einstein in Princeton, New Jersey, 1947.

Read more: Albert Einstein becomes US citizen, 1940

Alfred Eisenstaedt photos of  Professional hunter Haile Selassie in Addis Ababa, Ethiopia, 1935.

Professional hunter Haile Selassie in Addis Ababa, Ethiopia, 1935.

President John F. Kennedy's inauguration ball at the Mayflower Hotel in Washington, DC January 20, 1961.

President John F. Kennedy’s inauguration ball at the Mayflower Hotel in Washington, DC January 20, 1961.

Read more: Historic friendship of Frank Sinatra and John F. Kennedy.

Nursing students at Roosevelt Hospital, New York, 1938.

Nursing students at Roosevelt Hospital, New York, 1938.

Alfred Eisenstaedt photos of  Nightclub Salambo in West Berlin, Germany, 1979.

Nightclub Salambo in West Berlin, Germany, 1979.

Read more: 1950s Paris Nightlife in pictures by Frank Horvat.

Mortar squad of the German army in the Spandau district, Berlin, 1934.

Mortar squad of the German army in the Spandau district, Berlin, 1934.

Mom and child in Hiroshima, Japan, December 1945.

Mom and child in Hiroshima, Japan, December 1945.

Read more: Rare color photos of Hiroshima after the atomic explosion

Model looking into a large mirror, Paris, France, 1932.

Model looking into a large mirror, Paris, France, 1932.

Martin Buber is a Jewish existential philosopher and theorist of Zionism. Jerusalem, Israel, 1953.

Martin Buber, a Jewish existential philosopher, and theorist of Zionism. Jerusalem, Israel, 1953.

Alfred Eisenstaedt photos of  Marlene Dietrich, Berlin, 1929.

Marlene Dietrich, Berlin, 1929.

Marilyn Monroe, 1953.

Marilyn Monroe, 1953.

Marilyn Monroe on the patio at her home in 1953.

Marilyn Monroe on the patio at her home in 1953.

Alfred Eisenstaedt photos of a girl Looks into the mouth of a big fish that dad just caught. Florida, USA, 1956.

Looks into the mouth of a big fish that dad just caught. Florida, USA, 1956.

Location of the bunker where Hitler died. View from Otto Grotewohl Street in East Berlin, 1979.

Location of the bunker where Hitler died. View from Otto Grotewohl Street in East Berlin, 1979.

Hanomag car, Wolfgangsee, Salzburg, Austria, 1932.

Hanomag car, Wolfgangsee, Salzburg, Austria, 1932.

Hedy Lamarr, 1938

Hedy Lamarr, 1938

Horse tram and steamer in the harbor of Izmir, Turkey, 1934.

Horse tram and steamer in the harbor of Izmir, Turkey, 1934.

Alfred Eisenstaedt photos of  Ice bar at the Palace Hotel ice rink in St. Moritz, Switzerland, 1947.

Ice bar at the Palace Hotel ice rink in St. Moritz, Switzerland, 1947.

Leela Tiffany begging in front of Carnegie Hall in New York, 1960.

Leela Tiffany begging in front of Carnegie Hall in New York, 1960.

George Bernard Shaw on his balcony in London, England, 1931.

George Bernard Shaw on his balcony in London, England, 1931.

Children in the puppet theater at the moment when a bad dragon is killed. Tuileries Garden, Paris, 1963.

Children in the puppet theater at the moment when a bad dragon is killed. Tuileries Garden, Paris, 1963.

Dance school in Berlin, 1931.

Dance school in Berlin, 1931.

City mayor and chief of justice, presiding over the court session. Addis Ababa, Ethiopia, 1935.

City mayor and chief of justice, presiding over the court session. Addis Ababa, Ethiopia, 1935.

Chimney sweep in Hamburg, Germany, 1979.

Chimney sweep in Hamburg, Germany, 1979.

Break at the Chinese Mission School in San Francisco, California, 1936.

Break at the Chinese Mission School in San Francisco, California, 1936.

Bertrand Russell, London, England, 1951.

Bertrand Russell, London, England, 1951.

Ballet School in Berlin, 1931.

Ballet School in Berlin, 1931.

Ballet dancer Mikhail Baryshnikov in New York, 1979.

Ballet dancer Mikhail Baryshnikov in New York, 1979.

Ballerinas in the rehearsal room of the George Balanchine Ballet School, 1936.

Ballerinas in the rehearsal room of the George Balanchine Ballet School, 1936.

Athletics coaches on Hiddensee Island, west of Rügen Island, in the Baltic Sea, 1931.

Athletics coaches on Hiddensee Island, west of Rügen Island, in the Baltic Sea, 1931.

Read more: All Pulitzer Prize photos (1942-1967)

Albert Einstein at Princeton, 1948.

Albert Einstein at Princeton, 1948.

An Italian officer sledges in Sestriere, Italian Alps, 1934.

An Italian officer sleds in Sestriere, Italian Alps, 1934.

An optical illusion building in the Peseldorf district, Hamburg, Germany, 1979.

An optical illusion building in the Peseldorf district, Hamburg, Germany, 1979.

Army officer Mussolini manicure in Milan, Italy, 1934.

Army officer of the Mussolini army during the manicure procedure in Milan, Italy, 1934.

A young Englishman looks at himself in the mirror of the Grand Hotel in St. Moritz, Switzerland, 1932.

A young Englishman looks at himself in the mirror of the Grand Hotel in St. Moritz, Switzerland, 1932.

A wicker rocking chair displayed at a flea market in Paris, 1963.

A wicker rocking chair displayed at a flea market in Paris, 1963.

A prostitute on the rue Saint-Denis in Paris, 1932.

A prostitute on the rue Saint-Denis in Paris, 1932.

A New Yorker on vacation in Miami Beach, Florida, USA, 1940.

A New Yorker on vacation in Miami Beach, Florida, USA, 1940.

A man tries to sell a doll on the rue Saint-Denis, Paris, Ile-de-France, France, 1931.

A man tries to sell a doll on the rue Saint-Denis, Paris, Ile-de-France, France, 1931.

A girl at the Weissensee Jewish cemetery in East Berlin, 1979.

A girl at the Weissensee Jewish cemetery in East Berlin, 1979.

A gigantic oak tree in Tisbury, Massachusetts, USA, 1968.

A gigantic oak tree in Tisbury, Massachusetts, USA, 1968.

Alfred Eisenstadt photos of A fresco in the Dominican monastery of San Marco called Providence. It was created by Giovanni Antonio Sogliani in 1536. Italy, Florence, 1935.

A fresco in the Dominican monastery of San Marco called Providence. Giovanni Antonio Sogliani created it in 1536. Italy, Florence, 1935.

Perseus by the Italian sculptor Benvenuto Cellini holds the severed head of a jellyfish. Against the background, a copy of Michelangelo's David, Palazzo Vecchio, Florence, Italy, 1935.

Perseus, by the Italian sculptor Benvenuto Cellini holds the severed head of a jellyfish. Against the background, a copy of Michelangelo’s David, Palazzo Vecchio, Florence, Italy, 1935.

 

Сообщение 64 Amazing photos by Alfred Eisenstaedt появились сначала на Old Pictures.

]]>
https://oldpics.net/64-amazing-photos-by-alfred-eisenstaedt/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
Nazi Rally in Madison Square Garden in pictures, 1939 https://oldpics.net/nazi-rally-in-madison-square-garden-in-pictures-1939/ https://oldpics.net/nazi-rally-in-madison-square-garden-in-pictures-1939/#respond Mon, 28 Sep 2020 15:20:46 +0000 https://oldpics.net/?p=5800 Could you ever believe that American Nazi followers organized a huge rally event in New York, in Madison Square Garden, just several...

Сообщение Nazi Rally in Madison Square Garden in pictures, 1939 появились сначала на Old Pictures.

]]>
George Washington, the first fascist, during the Nazi Rally in Madison Square Garden, 1939Could you ever believe that American Nazi followers organized a huge rally event in New York, in Madison Square Garden, just several months before Hitler invaded Poland?

The truth is that this rally in Madison Square Garden wasn’t the first event that Nazi supporters staged in New York. There were many more, and here are some noteworthy pictures and facts.

Silent Nazi invasion

In January 1933, Adolf Hitler became Chancellor of Germany, and soon the Nazis controlled the entire country. They missed no chance to gain influence outside Germany. Here’s why Deputy Fuhrer Rudolf Hess instructed the German-American immigrant Heinz Spanknobel to form a powerful fascist structure in the United States.

In July 1933, Spanknobel united two small groups to form the Friends of a New Germany. He relied on German citizens and German-Americans who were part of the fraternity. The new organization even picketed the largest German-language newspaper offices in New York, demanding Nazi-sympathetic articles, advocating for a boycott of Jews in German factories. They wore the swastika-covered uniforms during all these events.

The end of the ‘Friendship.’

In October 1933, Spanknobel was deported from the US. Two years later, Hess urged the Friends’ leaders to return to Germany and all German citizens to leave the organization.

Nonetheless, the organization’s followers formed a new one, that had no links to the German government. It was the German-American Bund. The organization continued its anti-Semitic and anti-communist campaigns, covering them with patriotic pro-American symbols, holding portraits of George Washington, the “first fascist.”

High tension during the rally in Madison Square Garden

The German-American Bund reached its peak on February 20, 1939, when about 20,000 of its members gathered for the real Nazi Rally in Madison Square Garden. The leader of the organization Fritz Kuhn criticized Roosevelt, calling the policy of the “New Deal,” “the Jewish course,” and Roosevelt himself – Rosenfeld.

Some 80,000 anti-Nazi protesters outside the Madison Square Garden clashed with police while breaking into the building and closing the rally.

Note that the late 1930s was a specific time in the International relationships towards Germany. While many people realized the Nazi government’s aggressive nature, the politicians acted in a different, mild way. It was ok to greet the public with the Nazi salute during the sports events. Coca-cola advertised itself in Germany, and Henry Ford was fine to accept a German order from Nazi official’s hands.

The Bund’s days ended at the end of 1941 when the United States entered the war against Nazi Germany.

Read more: 100 most important pictures in history

US kids greeting the public with Nazi salute

US kids greeting the public with a Nazi salute

The Rally of 1939

The Rally of 1939

Speakers arriving the Rally

Speakers arriving the Rally

Nazi Rally in Madison Square Garden, May 17, 1939

Nazi Rally in Madison Square Garden, May 17, 1939

Nazi Rally in Madison Square Garden in pictures

Nazi Rally in Madison Square Garden in pictures

Nazi guards in front of a huge portrait of George Washington.

Young guards in front of a huge portrait of George Washington.

Nazi followers greet the speaker with salute

Nazi followers greet the speaker with a salute.

May 17, 1934.

May 17, 1934. Mass meeting of members of the Friends of New Germany.

May 17, 1934. A mass meeting of members of the Friends of New Germany.

Greeting the banner of the German-American Union.

People greeting the banner of the German-American Union.

February 1939. Leader of the German-American Union Fritz Kuhn addresses the rally participants

Leader of the German-American Union Fritz Kuhn addresses the rally participants, February 1939.

Celebrations of the arriving of the German settlers to America, October, 1935

Celebrations of the arriving of the German settlers to America, October 1935

Another angle of the Nazi Rally in New York

Another angle of the Nazi Rally in New York

1934

1934




Сообщение Nazi Rally in Madison Square Garden in pictures, 1939 появились сначала на Old Pictures.

]]>
https://oldpics.net/nazi-rally-in-madison-square-garden-in-pictures-1939/feed/ 0
American settlers’ lifestyle through the lens of Solomon Butcher https://oldpics.net/american-settlers-lifestyle-through-the-lens-of-solomon-butcher/ https://oldpics.net/american-settlers-lifestyle-through-the-lens-of-solomon-butcher/#respond Mon, 28 Sep 2020 13:14:31 +0000 https://oldpics.net/?p=5761 Solomon Butcher photography is an important visual source for understanding the routine of the American settlers’ lives. Solomon Butcher preserved her history...

Сообщение American settlers’ lifestyle through the lens of Solomon Butcher появились сначала на Old Pictures.

]]>
Solomon Butcher photos of Traditional cowboy's dance, 1889

Solomon Butcher photography is an important visual source for understanding the routine of the American settlers’ lives. Solomon Butcher preserved her history in 3,500 glass negatives documenting the Great Plains pioneers’ lives between 1886 and 1912.

Settlers defined a new life on the prairies, huddled in turf huts, erected outbuildings, cultivated wild virgin lands, and upset estates. Solomon Butcher captured the formation of the first farms and constructed a new way of life, never seen before.

From a salesman to the settler

Solomon D. Butcher was born in Virginia in 1856. He graduated from high school in Illinois. Young Solomon became an apprentice of a tintype master, from whom he learned the art and science of photography. After that, he entered military school but studied for only one semester and started a salesman’s Ohio career.

In 1880 Solomon Butcher found that his father had quit his railroad job to build a farm in Custer County, Nebraska. He was pretty tired of sales traveling, by that moment, and agreed to head west with his family. They hit the road in March and covered more than a thousand kilometers with two covered carriages. Young Butcher admitted that he was ill-suited for a pioneer’s life and returned his land to the government two weeks later.

How Solomon Butcher started his photo career

In the early 1880s, Solomon Butcher entered Minnesota Medical College, where he met his future wife, Lilly Barber Hamilton. In October 1882, he and his bride returned to Nebraska. As a schoolteacher, he saved his teacher’s dollars and borrowed money to buy land and acquire photographic equipment. This building became the first photography studio in Caster. The young family lived there until September 1883, when Butcher completed the turf living space next to the studio.

Financial problems forced Solomon Butcher to move his family from city to city. In 1886, he latched onto the idea of ​​creating a photographic history of Custer County. The photographer’s father agreed to lend him a van, and Butcher embarked on an odyssey of nation-level value. The journey was difficult. He spent hours driving off-road from house to house. He often used printouts to pay for food, lodging, and stables for his horses.

The financial problems of Solomon Butcher remind us of Carleton Watkins, another outstanding photographer of that period who didn’t manage to extract the money value out of his photography.

Read more: Vintage Las Vegas: amazing historical pictures of the Sin City

Irrigation canal east of Cozad, Nebraska, 1904.

Irrigation canal east of Cozad, Nebraska, 1904.

The Middle West history in pictures of Butcher

Butcher continued to photograph from 1886 to 1911. The success of his 1901 Pioneer Stories of Custer County, Nebraska, was the author’s greatest lifetime achievement. In 1904, he published Sod Houses, or The Rise of the American Great Plains: A Painterly Story of the People and Means that Conquered This Wonderful Country. His photo collection grew, but it was not possible to raise funds for other publications. Again Solomon Butcher moved from town to town, and it became increasingly difficult to transport his huge collection of glass plates.

Solomon Butcher was an astute photographer, but he died without realizing the significance of his photographs. He documented the Great Plains’ settlement in the harsh environments of Nebraska’s Sandy Hills, candidly portraying everyday life on the prairie. A collection of over 3,000 of his digitized works is kept in the Library of Congress collections. Some of the images are available in high resolution and accompanied by descriptions by the photographer.

Read more: New York in 1905 in 19 photos

 

W.L. Hand Residence, Carney, Nebraska, 1911.

W.L. Hand Residence, Carney, Nebraska, 1911.

Solomon Butcher agreed the photo sessions with 17 families

Solomon Butcher agreed with the photo sessions with 17 families.

Sod House, Custer County, Nebraska, 1887.

Sod House, Custer County, Nebraska, 1887.

Sheep, Custer County, Nebraska, 1886

Sheep, Custer County, Nebraska, 1886

Young coyote, 1900.

Young coyote, 1900.

Wood Graham, near Gibbon, Nebraska, 1910.

Wood Graham, near Gibbon, Nebraska, 1910.

Webert House in Kearney, Nebraska, 1909.

Webert House in Kearney, Nebraska, 1909.

Southwest Custer County, Nebraska, 1892.

Southwest Custer County, Nebraska, 1892.

Street scene, Kearney, Nebraska, 1910.

Street scene, Kearney, Nebraska, 1910.

Students and teachers in Lowell, Nebraska, 1911

Students and teachers in Lowell, Nebraska, 1911

Settler's family, Custer County, Nebraska, 1892

Settler’s family, Custer County, Nebraska, 1892

Rothen Valley, Custer County, Nebraska, 1892.

Rothen Valley, Custer County, Nebraska, 1892.

Reverend Trits House, Broken Bow, Nebraska, 1903.

Reverend Trits House, Broken Bow, Nebraska, 1903.

Ranch, Cherry County, Nebraska, 1901.

Ranch, Cherry County, Nebraska, 1901.

Railroad workers near Sargent, Nebraska, 1889

Railroad workers near Sargent, Nebraska, 1889

R. Elwood Ranch, near Carney, Nebraska, 1903

R. Elwood Ranch, near Carney, Nebraska, 1903

Hay laying in Buffalo County, Nebraska, 1903.

Hay laying in Buffalo County, Nebraska, 1903.

Hay-laying in Buffalo County, Nebraska, 1903

Hay-laying in Buffalo County, Nebraska, 1903

 
Kearney Opera House, Nebraska, 1910.

Kearney Opera House, Nebraska, 1910.

Marine Band, Kearney, Nebraska, 1908.

Marine Band, Kearney, Nebraska, 1908.

People of Southwest Custer County, Nebraska, 1892.

People of Southwest Custer County, Nebraska, 1892.

Girls with pigtails, 1900s.

Girls with pigtails, the 1900s.

Farmer cooking his dinner, 1886

Farmer cooking his dinner, 1886

Family, believed to be Caster County, Nebraska.

Family, believed to be Caster County, Nebraska.

Custer County, Nebraska, 1892

Custer County, Nebraska, 1892

Custer County, near Ansley, Nebraska, 1888.

Custer County, near Ansley, Nebraska, 1888.

Construction of a two-story home, Overton, Nebraska, 1904.

Construction of a two-story home, Overton, Nebraska, 1904.

Citizens of Southwest Custer County, Nebraska, 1892.

Citizens of Southwest Custer County, Nebraska, 1892.

Circus Procession, Kearney, Nebraska, 1908.

Circus Procession, Kearney, Nebraska, 1908.

Branding of livestock, 1887

Branding of livestock, 1887

Another family from the Southwest Custer County, Nebraska, 1892.

Another family from Southwest Custer County, Nebraska, 1892.

American settlers’ lifestyle through the lens of Solomon Butcher

American settlers’ lifestyle through the lens of Solomon Butcher

A cart with household utensils at Broken Bowe, 1890.

A cart with household utensils at Broken Bowe, 1890.

 

Сообщение American settlers’ lifestyle through the lens of Solomon Butcher появились сначала на Old Pictures.

]]>
https://oldpics.net/american-settlers-lifestyle-through-the-lens-of-solomon-butcher/feed/ 0