/* * 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
Архивы NYC - Old Pictures https://oldpics.net Historical photos, stories and even more Thu, 03 Sep 2020 14:17:30 +0000 en-US hourly 1 https://wordpress.org/?v=5.9.5 https://oldpics.net/wp-content/uploads/2017/06/cropped-favicon-32x32.png Архивы NYC - Old Pictures https://oldpics.net 32 32 Ford Mustang on the Empire State Building, October 1965 https://oldpics.net/ford-mustang-on-the-empire-state-building-october-1965/ https://oldpics.net/ford-mustang-on-the-empire-state-building-october-1965/#respond Thu, 27 Aug 2020 14:03:49 +0000 https://oldpics.net/?p=4850 How to lift a Ford Mustang to the observation deck of a 103-story Empire State Building? Note that the skyscraper, built-in 1931,...

Сообщение Ford Mustang on the Empire State Building, October 1965 появились сначала на Old Pictures.

]]>
Ford Mustang on the roof of the Empire State BuildingHow to lift a Ford Mustang to the observation deck of a 103-story Empire State Building? Note that the skyscraper, built-in 1931, does not have freight elevators. You gonna find the answers if you want to create the most successful ad campaign of that year.

Ford Mustang + Empire State Building = Marketing!

Robert Liery was vice president of the Empire State skyscraper when he made an appointment with William Benton, product promotion manager at the auto giant Ford.

Henry Ford established a car production cycle that the world admired. He organized the beneficial employment system. Ford managers learned not to miss marketing opportunities.

The plan was to benefit both the Empire States Building and the Ford Mustang. This bald marketing move had to raise the visits to the skyscraper and boost sales of the automaker. Benton agreed immediately. Very soon, Ford engineers began to carefully examine the Empire State Building, measuring doors, halls, and elevators. They needed accurate elevator data to understand how to transport the car to the observation deck.

Finally, Ford engineers pondered how to disassemble the 4.5 meters-long Mustang, so have a way to assemble it again on the roof.

Operation ‘Advertisement’

Everything was ready by October 1965. The operation took less than an hour. The engine, gearbox and propeller shaft were removed from the Mustang. The car was cut into four parts, each of which fit the elevator of a skyscraper. Then engineers connected parts using a pin system.

At 11.00, helicopters with photojournalists were already circling over the Empire State Building. The photographs hit the front pages of all newspapers within a few hours.

At about 4.30 p.m. the same day, Ford workers disassembled a car again and transported it to the ground.

The success of the advertising campaign was tremendous: Ford sold 607,568 Mustangs in 1966. It was a record!

We cannot limit ourselves to one photo. Take a look at other pictures that immortalize the process of lifting the Ford Mustang to the observation deck of the Empire State Building.

Disassembling the Ford Mustang before lifting it on the Empire States Building

Disassembling the Ford Mustang before lifting it on the top.

Ford Mustang on the roof of the Empire State Building 3

It seems like this car misses some parts

It seems like this car misses some parts

That's how the car parts in the elevator looked like.

That’s how the car parts in the elevator looked like.

Сообщение Ford Mustang on the Empire State Building, October 1965 появились сначала на Old Pictures.

]]>
https://oldpics.net/ford-mustang-on-the-empire-state-building-october-1965/feed/ 0
Workers on the cables of the Brooklyn Bridge, October 1914 https://oldpics.net/brooklyn-bridge-painters-after-work-1915/ https://oldpics.net/brooklyn-bridge-painters-after-work-1915/#respond Thu, 20 Aug 2020 08:47:00 +0000 http://oldpics.net/?p=2290 Few people know that about 150 workers died during its construction of the Brooklyn Bridge. But not the lucky ones in this...

Сообщение Workers on the cables of the Brooklyn Bridge, October 1914 появились сначала на Old Pictures.

]]>
Workers on the cables of the Brooklyn Bridge, October 1914

Few people know that about 150 workers died during its construction of the Brooklyn Bridge. But not the lucky ones in this famous picture. These workers demonstrate the hardness and durability of steel cables that were used to build the Brooklyn Bridge.

World-best engineering 

The modern viewer may not find anything particular or exciting in the Brooklyn Bridge. But things were different at the end of the 19th century when the Brooklyn Bridge was just being erected. It was a real architectural and engineering gem. Its construction lasted 13 years, from 1870 to 1883. The Brooklyn Bridge became the largest suspension bridge in the world. It also became the first bridge to use steel cables. The Brooklyn Bridge is the classic object of the Gilded Age of New York City.

At the time it was built, the span across the East River connecting Brooklyn with Manhattan was the longest suspension bridge in the world – 5,989 feet (1.825km) in length and soars 119 feet (36.27m) above the river. The Brooklyn Bridge was opened for use on May 24, 1883.

A tragic history behind

The history of the construction of the bridge is closely related to the history of the Röbling family of engineers. We would even call this connection fatal, and we use this word in exceptional cases. So, 61-year-old engineer John Röbling was the first to sign up for the construction of the bridge. It was he who came up with the idea of ​​placing two coastal spans and a suspended part on two massive supports 80 meters high.

The boat that John operated collided with a ferry. The engineer’s leg was smashed, doctors had to amputate fingers. Soon he died of tetanus. Nonetheless, Röbling entrusts the construction to his son Washington, who was also an engineer. But a sad fate awaited Washington too…

Washington Röbling suffered the decompression sickness, which led to paralyzation. Here’s why his wife Emily Röbling had to manage workers during 13 of the construction of the Brooklyn Bridge.

Workers hanging on the cables 

Now let’s turn directly to the photograph of the workers on the cables of the Brooklyn Bridge. The picture was taken on October 7, 1914, by Eugene de Salignac. He was the official photographer of the New York Department of Bridges and Factories. Actually, Eugene was not going to become a photographer. At the age of 42, he lost his job and happily accepted the offer of a photographer friend. Here’s how Eugene became a deputy photographer in the department.

Three years later, his friend passed away, and Eugene took his place. His professional duties included visiting construction sites and renovations in New York to immortalize them for the archives and the press.

The workers were painting the cables of Brooklyn Bridge when Eugene came to take some photos. Photo, to this day, is considered a classic of the black and white genre of the early 20th century. Photography experts put it in textbooks as an example of a perfect composition.

 

Сообщение Workers on the cables of the Brooklyn Bridge, October 1914 появились сначала на Old Pictures.

]]>
https://oldpics.net/brooklyn-bridge-painters-after-work-1915/feed/ 0
Rare pictures of the Empire state building plane crash https://oldpics.net/rare-pictures-of-the-empire-state-building-plane-crash/ https://oldpics.net/rare-pictures-of-the-empire-state-building-plane-crash/#respond Tue, 18 Aug 2020 16:42:47 +0000 https://oldpics.net/?p=4646 The tragic Empire state building plane crash occurred on July 28, 1945. The B-25 aircraft dramatically rammed the renowned building. The incident...

Сообщение Rare pictures of the Empire state building plane crash появились сначала на Old Pictures.

]]>
The horrible aftermath, plane crashThe tragic Empire state building plane crash occurred on July 28, 1945. The B-25 aircraft dramatically rammed the renowned building. The incident took 14 lives.

A sad and foggy story

This story is well known. But Oldpics loves to retell it every time with new details and pictures. In addition to our various not-so-dramatic photographs of NYC.

World War II was almost over (there was still a month before Japan’s surrender) when the US Air Force bomber lost its focus in the fog. The plane crashed into the New York Empire State Building between 78th and 80th floors.

The building turned out to be harder than the plane. It fell apart. One of the motors flew right through the skyscraper and started a fire in a neighboring house. The second engine crashed into the elevator shaft and also started a fire there (coordinated actions of the firefighters extinguished it pretty soon).

All three pilots, unfortunately, were doomed. The eleven unlucky residents who stayed at the Empire State Building on that day survived the plane crash neither. Ironically, the Society for Supporting War Victims occupied these floors. There was also the National Catholic Council.

The horrible aftermath

The horrible aftermath.

Empire Building will stand. 

Nevertheless, the building’s survivability was the best. The skyscraper was again open to the public and tenants right the next day. Cynical journalists joked that the building got through the incident with minor bruises. Yet it took three months to completely renovate the damaged Empire state building after this plane crash.

Lucky survivor of the Empire State Building plane crash

Betty Lou Oliver, a lucky survivor of the Empire State Building plane crash

The lucky crash survivor

The story of the lifter Betty Lou Oliver is impressive. She was in the elevator car on the 80th floor during the crash. Rescuers accidentally put her in the second elevator, but the cables split, and the cabin flew down 75 floors (according to other sources – 79). Betty Lou Oliver miraculously survived! None survived such a fall before or after this day.

Betty Lou Oliver, several months after the incident

The recuperation of Betty Lou Oliver took several months. After all, she decided to returns to the scene of the tragic accident. Dec. 2, 1945.

Why did the Empire state building plane crash happen?

The crew commander William Smith decided to land during zero visibility. At the same time, he incorrectly interpreted the commands from the ground. He made a right turn instead of a left after the Chrysler Building (77-storey tower, which was the tallest one before the Empire State Building). When the pilot realized this mistake, he conducted an evasive maneuver. But he worsened the situation – one of the engines stalled, and the accident became inevitable.

Empire state building plane crash could take many more lives. But thanks God, it was a day off.

Clearing the Empire State building after the plane crash

Workers remove the remains of the B-25 Bomber on the 78th floor. 1945.

The whole in the roof of the PenthouseStudio

The whole in the roof of the Penthouse Studio.

Firemen preparing to extinguish the fire

Firemen and medical workers could get only to the 60th floor by elevator. They had to walk and carry all the ammunition the rest of the way up.

medics escort injured woman after the plane crash

The injured woman going downstairs at the Empire State Building. July 28, 1945.

An injured woman is removed from the Empire State Building after the B-25 Bomber plane crash. July 28, 1945.

An injured woman getting out of the crash site. July 28, 1945.

A man hovers over a piece debris from the B-25 Bomber near 33rd Street. July 28, 1945.

Remains of the B-25 Bomber near 33rd Street. July 28, 1945.

A man examines charred documents in an office in the Empire State Building after a B-25 Bomber crashed into the side of the building. July 28, 1945.

A man inspects papers in a room in the Empire State Building after a B-25 Bomber crashed into the side of the building. July 28, 1945.

 

Сообщение Rare pictures of the Empire state building plane crash появились сначала на Old Pictures.

]]>
https://oldpics.net/rare-pictures-of-the-empire-state-building-plane-crash/feed/ 0
Photos of the construction of the Statue of Liberty, 1885 https://oldpics.net/photos-of-the-construction-of-the-statue-of-liberty-1885/ https://oldpics.net/photos-of-the-construction-of-the-statue-of-liberty-1885/#respond Mon, 13 Jul 2020 14:25:31 +0000 https://oldpics.net/?p=4261 This set of rare pictures shows the first days of Statue of Liberty on the land of New York City before and...

Сообщение Photos of the construction of the Statue of Liberty, 1885 появились сначала на Old Pictures.

]]>
The construction Statue of LibertyThis set of rare pictures shows the first days of Statue of Liberty on the land of New York City before and during the construction. The idea of a monumental symbol of Liberty belongs to famous France humanists, Édouard de Laboulaye. Once he spoke about this idea to another antislavery activist, architect Frédéric Bartholdi, it had several attempts to be implemented. 

Bartholdi had a similar idea, and at first, a plan to build Progress or Egypt Carrying the Light to Asia was proposed to Isma’il Pasha, Khedive of Egypt. Still, the expenses were too high for Egypt’s economy at that moment. Roman goddess Libertas found her embodiment as a dedication to the American struggle for Liberty and was inspired by two female figures, symbolizing Liberty: American Columbia and French Marianne. The image of Liberty already was on the American coins of the time, as well as was implemented in the architecture of the United States Capitol Building. 

France sponsored the Statue itself, and the American side provided the basement. 

The act of the gif coincided with the US Independence Day, July 4, 1884.

Statue of Liberty construction

The cover was created by thoughtful modeling with clay, and performed by Bartholdi. There are many versions of his inspiration for the design: some say that the face belongs to his mother, another – Isabella Boyer, widow of Isaac Singer. An old episode lured the posture he saw during a street fight in Paris in 1851. He remembered the girl from the barricade, in a light dress, and with a burning torch in hand, which became the prototype of the Statue. 

Gustave Eiffel performed the engineering part of making the colossal figure stable and strict.

Statue was completed in 1884 and successfully shipped to New York in 1885. It was transported in pieces (350 items) by 214 boxes on the steamer Isère. The total weight of the Statue is 450,000 pounds (225 tons), 179,200 pounds (81,300 kilograms) of copper was used in the Statue. 250,000 pounds (113,400 kilograms) of iron.

A crowd of more than 2,000 people welcomed the ship. But the pedestal works were still going on. Till 1885 American side gathered 80% of required funds: $102,000 instead of $120,000. As a result, the building of the pedestal lasted until 1886.

Bartholdi started the Statue reassembling right after the pedestal was ready. All pieces of steel framework anchored in the concrete on a stand, and the skin of the statue was attached step-by-step. An interesting one: there were no injuries or lethal accidents during construction.  

Bartholdi’s idea was to put the lights on the torch’s balcony, but the Army Corps of Engineers prohibited this plan, due to possible interruption of the vision of ships’ pilots. 

So, the lights were made on the torch. To provide electricity to the island, and the Statue, A power plant was built. 

Unboxing the Statue of Liberty 1885

Unboxing the Statue of Liberty, 1885

The back side of Freedom

Behind blue eyes of freedom

Statue of Liberty foot before assembling

Statue of Liberty foot before assembling

Construction and Reconstruction of Statue

Construction and Reconstruction (the 1980s) of the Statue Liberty





Сообщение Photos of the construction of the Statue of Liberty, 1885 появились сначала на Old Pictures.

]]>
https://oldpics.net/photos-of-the-construction-of-the-statue-of-liberty-1885/feed/ 0
Early fashion photos by Richard Avedon https://oldpics.net/early-fashion-photos-by-richard-avedon/ https://oldpics.net/early-fashion-photos-by-richard-avedon/#respond Mon, 08 Jun 2020 13:53:25 +0000 https://oldpics.net/?p=3522 Richard Avedon’s name and his photos used to be a synonym to the glossy, fashion photography. Celebrities dreamt of appearing in the...

Сообщение Early fashion photos by Richard Avedon появились сначала на Old Pictures.

]]>
Dovima with elephants in a different

The same photoshoot of Dovima with elephants but in a different dress

Richard Avedon’s name and his photos used to be a synonym to the glossy, fashion photography. Celebrities dreamt of appearing in the focus of his camera because it was paramount for the heroes of the magazine’s gossip pages. Avedon called his photo technique a reductionism – cutting off any tinsel and all non-essential elements in his art; his manner – “brevity of the perfectionist,”; and his gaze was compared to a bolt of lightning. His works are familiar to you, even if you do not remember the name of their creator: black and white gamma, a minimum of unnecessary details in the frame – only people.

Richard Avedon had a talent to turn people into “symbols of themselves.” He photographed many of his famous contemporaries (politicians like Dwight Eisenhower and Hillary Clinton, artists like Pablo Picasso and Andy Warhol, celebrities like Charlie Chaplin and Bjork). Avedon never hesitated to focus his camera on ordinary people too. He traveled from ocean to ocean to make portraits of unknown fishermen and miners, waitresses, and truckers.

Read more: Stolen moments in photos of Henri Cartier-Bresson

His works are a dialogue with the model, the viewer, with himself. “My portraits are more about me than about subjects of my photography.” Not everyone liked his unusual and passionate approach to filming, but he certainly did not leave anyone indifferent. So who was he, the “creator of celebrities,” with whom an entire era in the history of fashion photography is connected? Let’s take a look at the early period of Richard Avedon’s life, starting with his Harper’s Bazaar appearance till the late 50s.

shooting under the rain, photos of Richard Avedon

Sometimes even rain helped Richard Avedon to make the great photos.

Childhood in style

Richard Avedon was destined to connect his life with fashion and style. He was born in New York, where his father had a women’s clothing store on Fifth Avenue. Young Richard spent a lot of time while leafing fashion prints like Harper’s Bazaar or Vogue. “I started photographing when I was a teenager. My first model was my little sister, and I’ve tried to copy the beautiful photos from the glossy magazines made by Steichen, Munkachi, and Maine Ray. Louise was amazing with perfect skin, beautiful long neck, and such bottomless brown eyes … Later, when I worked for real with Doreen Leith, Eliza Daniels, Audrey Hepburn, their dark hair and eyes reminded me of Louise.”

Read more: Life story and the best photos of Alfred Stieglitz

Avedon tried himself as an editor and even studied literature in the university, but he couldn’t dodge the destiny of the cameraman. Later, Richard embodied his love of literature in portraits of famous writers and poets of that time (with pictures of Truman Capote, Joseph Brodsky, Isak Dinesen, Ezra Pound, Marianne Moore, and many others).

Marilyn Monroe in Famous Richard Avedon photos

Marilyn Monroe, New York City, 6 May 1957

Avedon joined the US fleet as an assistant photographer, making a “photo on documents” for recruits. He continued the professional photographer’s shooting ads for his father’s store, and, after all, dared to send his portfolio to Alexey Brodovich’s school. This famous artist and designer, a well-known art director of Harper’s Bazaar magazine, recognized the vast potential in photos made by young Richard Avedon. While all fashion editors rejected Avedon’s “beach” series (in which he portrayed his haute couture models barefoot, disheveled, falling into the sand at the very ankles of their beautiful long legs), it was Brodovic who published these pictures in Harper’s Bazaar.

A glossy start

Avedon’s career skyrocketed after publication in Harper’s Bazaar. While attending Brodovich’s workshops, Avedon met with Irving Penn. Critics often note the characteristic features of their style: both photographers practiced the expressive minimalism of studio fashion shootings. However, while Penn was embarking on bold and strange experiments (for example, filming for a fashion magazine of Aboriginal islanders in military armor), Avedon refrained from anything that could interfere with the idea of ​​purity and simplicity characteristic of his work.

Homage to Munkacsi, Carmen, coat by Cardin, Place Francois-Premier, Paris, August 1957.

Famous Richard Avedon photos: Homage to Munkacsi, Carmen, coat by Cardin, Place Francois-Premier, Paris, August 1957.

Avedon street photographs of those years were dominated by aerial models in fluttering outfits from famous couturiers, and young ladies in unusual poses, with eyebrow strings, pearl strands became symbols of the new look created by Christian Dior. These were the 40s: the heyday of the glossy publications Vogue and Harper’s Bazaar, the beginning of fashion photography as we know it, new forms, a unique style.

Fashion integration

Avedon tried to merge fashion and real-life, taking his models from the studio to the streets, to cafes, casinos, museums, and theaters. The everyday context only emphasized the luxury and dazzling brilliance of the photograph. Avedon focused on people themselves, paying less attention to fashion. Suzy Parker, flying on a roller skate on Paris Concorde Square, will say about Avedon: “He was the most wonderful person in this industry because he was the first to understand: models are not just cloth hangers.”

Indeed, his models do not look like beautifully dressed up dolls. They are real women, beautiful, elegant, unique.

Dovima and Elephants story behind

The famous photo ‘Dovima with elephants’

The story of Dovima with Elephants

The 50s did not change Avedon’s techniques. He mastered the art of unexpected environments in his fashion photos. And the most recognizable photoshoot of that decade will capture Dovima in a dress from a young designer Yves Saint Laurent, surrounded by African elephants.

Famous Richard Avedon making his famous photos

Richard Avedon kissing Dovima while taking ‘Dovima with Elephants’ picture

In 1955, Richard Avedon was assigned to capture some remarkable fall collections in Paris. Carmel Snow, the Editor-in-Chief of Harper’s Bazaar, wrote the cover story and asked Richard to take 15 photographs to illustrate. The most famous picture from this series is Dovima with Elephants, which received a full spread of the magazine. Avedon selected Dorothy Virginia Margaret Juba (nicknamed Dovima for the first two letters of her three given names), for this photoshoot. He used to say that Dovima is “the most amazing and unusual beauty of her time.” Dovima, in turn, recalled that Avedon asked her to do unusual things, but she always knew that his “ideas would always fly.”

The ‘Dovima with Elephants’ photo was among others TOP 100 most influential pictures in human history.

Dovima with Elephants, behind the scene

Behind the scene, Dovima with elephants.

Christina Berard and Renee, suit by Dior, Le Marais, Paris, August 1947.

Famous Richard Avedon photos: Christina Berard and Renee, suit by Dior, Le Marais, Paris, August 1947.

Richard Avedon finally gained a reputation as a recognized master: in 1958, the magazine Popular Photography included him in the list of 10 Great Photographers of the World. Alexey Brodovich came back to Avedon’s life when he made the graphic design of his very first “Observations” album, published in 1959.

Brodovich and Avedon stayed in touch for many years after this collaboration. Magazine, exhibitions, and other joint projects forged strong and somewhat emotional teacher-student bonds. Avedon bitterly remarked upon the death of his teacher: “He died without ever praising me.”

China Machado, suit by Ben Zuckerman, hair by Kenneth, New York, November 1958.

China Machado, suit by Ben Zuckerman, hair by Kenneth, New York, November 1958.

Dovima in Dior, Eiffel Tower, Paris, August 1950

Dovima in Dior, Eiffel Tower, Paris, August 1950

Sunny Harnett, evening dress by Gres, Casino, Le Touquet, Paris, August 1954.

Sunny Harnett, evening dress by Gres, Casino, Le Touquet, Paris, August 1954.

Dovima in the early photoshoot for Harpers Bazaar

Dovima in the early photoshoot for Harper’s Bazaar

Richard Avedon photos: Georgia Hamilton, Paris studio, August 1953.

Georgia Hamilton, woold dress by Balenciaga, Paris studio, August 1953.

Сообщение Early fashion photos by Richard Avedon появились сначала на Old Pictures.

]]>
https://oldpics.net/early-fashion-photos-by-richard-avedon/feed/ 0
Life story and the best photos of Alfred Stieglitz https://oldpics.net/life-story-and-the-best-photos-of-alfred-stieglitz/ https://oldpics.net/life-story-and-the-best-photos-of-alfred-stieglitz/#comments Wed, 03 Jun 2020 12:53:46 +0000 https://oldpics.net/?p=3447 Alfred Stieglitz was born in Hoboken, New Jersey, on the very first day of the year of 1864. His parents are a...

Сообщение Life story and the best photos of Alfred Stieglitz появились сначала на Old Pictures.

]]>
photo of Alfred Stieglitz

Alfred Stieglitz, 1938

Alfred Stieglitz was born in Hoboken, New Jersey, on the very first day of the year of 1864. His parents are a wealthy Jewish family that emigrated from Germany. Alfred Stieglitz was just eleven when he visited the local photo studio and watched the miracle of photos creation in the darkroom. There’s a legend that Alfred once saw a photographer retouching negatives. The old master explained to the young boy that retouching would make a person on the image look more natural. “You don’t need to do this”, – young Alfred said with no hesitation. Stieglitz’s biographers usually tell this story, to emphasize his legend. We don’t know if this happened for real, but the fact is that Stieglitz never retouched his negatives. Stieglitz’s photo ‘Steerage’ (find its story below) is among other Top 100 most influential pictures in human history.

Railways in Berlin, Alfred Stieglitz photos

Railways in Berlin, 1886

The Europian inspiration

The US-born Alfred Stieglitz bought his first camera in Berlin, Germany, where he spent his student’s years. He saw the camera on the shop shelf, and it utterly fascinated him. Photography was a student’s hobby, grew into a passion, and finally transformed into a professional career under the mentorship of Herman William Vogel, a professor of photochemistry.

Stieglitz traveled a lot and never left his camera. A young photographer captured peasants, fishers, and residents of the different European cities. People of various professions inspired him just like August Sander with his ‘People of the 20th century.’

Alfred’s creativity was testing the limits of the photo art; he continued his experiments consistently, looking to find his unique approach. He used a 24-hour exposure to take a photo of the car in the dark garage. The only light source was a dim lamp. Photo techniques fascinated Alfred more and more. He continued to develop his style and won silver medals at the competition of amateur photographers, in 1887 in London.

rainy day in NYC, 1901

A rainy day in NYC, 1901

Back to the US

Alfred Stieglitz returned to New York, where he became a partner in ‘Photochrome Engraving Company.’ But his passion for photography didn’t go anywhere. Alfred continued his successful photo experiments and won around 150 awards in the US only. A talented workaholic, Stieglitz invested tons of resources and time in each image. He believed that a perfect picture requires a lot of prior research. Alfred studied the environment around the scene, lines of sight, various sources, and types of light. He was waiting for the complete harmony of the light, moving objects and other components to press the shutter on the camera. It’s quite similar to the famous ‘Decisive moment’ method of Henri Cartier-Bresson. 

Sometimes Stieglitz was waiting for hours to take a picture. One of Stieglitz’s famous photographs, Fifth Avenue in Winter, was taken on February 22, 1893. The photographer spent three hours in an intense snowstorm until he found the perfect moment for a shot!

Snowy winter of 1905

Snowy winter in New York, 1905

In 1893, Alfred Stiglitz took the position of editor-in-chief in ‘American Amateur Photographer’ magazine. His troublesome character led to immediate conflicts with the rest of the office, which considered the new boss to be too strict and autocratic. In 1896 he switched to another well-known magazine, “Camera Notes,” that was linked to the society of photography enthusiasts “The Camera Club of New York.”

Streets of Upper Manhattan

Streets of Upper Manhattan, 1899

This publication suffered severe financial difficulties so that even authors and photographers (with rare exceptions) did not also receive an honorary. Sometimes editor even had to invest his funds to support the publishing. Fortunately, Stieglitz was rich enough to do so. After all, he managed an excellent platform to promote his photo ideas and to popularize himself and his friends as photographers.

Cloudy skies, Alfred Stieglitz photos

Cloudy skies, 1910

The Steerage, 1907

The Steerage, 1907

‘The Steerage’ is an excellent example of his photos of Alfred Stieglitz that he widespread with Camera Club magazine. He captured this image during his voyage to Europe in 1907. Alfred was a kind of partial to social inequality that was a sure thing in the pre-WW1 world. He shared this feeling with many other photographers of the 20th century, like Weegee. But he managed to capture a perfect illustration of the terrible poverty when he left his first-class deck, went to ship’s steerage. There, the shawled and swathed were packed together on the compact lower deck, the minimalistic ship space stresses on overcrowded conditions and visually contrasting with those on the upper deck. “A round straw hat; the funnel leaning left, the stairway leaning right; the white drawbridge, its railings made of chain,” Stieglitz later wrote.

Gallery life

In early 1902, Charles De Kay, director of the National Arts Club, invited Alfred Stieglitz to organize a photo exhibition of contemporary American artists. Without any doubt, Stieglitz supposed that he would solely select the pictures for the show. He was its organizer, after all. But the whole photo community had a different point of view, and Stieglitz had to commit a cheap trick. He delegated the image selection to an initiative group, filled it with loyal photographers, and instructed to take a specific selection of works. Interestingly, this group went down in the history of photography under the name “Photo-Secession.”

A marvelous tree, a lake of Georgia

A marvelous tree, a lake of Georgia, 1924

Alfred used this group name for his «Little Galleries of the Photo-Secession » gallery on 5th avenue. It was also known as “Gallery 291”, as it was located in building number 291. The gallery showed not only photographs but also works by contemporary artists, such as Cezanne, Renoir. Matisse, Mans, Rodin, Picasso, Braque … 

The gallery had mixed success. The Matisse exposition, which took place in 1908, failed miserably, and even Stieglitz’s friends from Camera Club criticized it. The master’s resentment was so serious that he left the ranks of the group and never returned to it.

Alfred Stieglitz taking photo

Alfred Stieglitz while taking a photo on a bridge, 1897

Picasso paintings exhibition (1911) was another gallery fail in Alfred Stieglitz’s biography. He recalled with pain that he sold only one drawing of the artist, that he drew when he was 12 years old. Stieglitz acquired it by himself. Alfred was so ashamed when returning unsold paintings to Picasso. They cost 20-30 dollars per one tapestry; the entire collection evaluation was just a couple of thousands of dollars. He offered these paintings to the director of the Metropolitan Museum of Art, and he also refused to purchase Picasso’s works.

georgia o'keeffe, alfred Stieglitz photos

Georgia O’Keeffe, 1933

But you never know when life will surprise you. Stieglitz’s gallery venture wasn’t successful, but it met him with Georgia O’Keefe, his muse, friend, and wife. We’ll cover her influence on Alfred Stieglitz photography in a dedicated section on our site because their collaboration was unbelievably massive. Alfred Stieglitz made some of his best photos inspired by O’Keefe. Let’s just mention that photographer’s biographers agree that he received the second chance when he met Georgia O’Keefe. Alfred’s works got some inner fire, the energetic unseen before. He left hundreds of Georgia’s photos, and many of them are considered to be women portrait classics. Despite various life dramas and marriage nuances, O’Keefe was a person who spent with Stieglitz his last several hours of life. She organized funeral, cremated his body, and buried it in a secret place around the George lake area, where Georgia and Alfred spent their honeymoon.

hands of Georgia o'Keeffe, 1921

Georgia O’Keeffe’s hands, 1921

winter in New York, 1905, Alfred Stieglitz photos

Alfred spent several hours in a snowstorm while he was waiting for a cab to pass by. 1905

professional swimmer

Swimmer, 1913

woman writing a letter, Alfred Stieglitz photos

A woman writing a letter, 1899

A sleeping craftsman during a break in New York, 1908

A sleeping craftsman during a break in New York, 1908

 

Сообщение Life story and the best photos of Alfred Stieglitz появились сначала на Old Pictures.

]]>
https://oldpics.net/life-story-and-the-best-photos-of-alfred-stieglitz/feed/ 1
Harlem Renaissance in photos of James VanDerZee https://oldpics.net/harlem-renaissance-in-photos-of-james-vanderzee/ https://oldpics.net/harlem-renaissance-in-photos-of-james-vanderzee/#comments Thu, 28 May 2020 15:09:09 +0000 https://oldpics.net/?p=3369 If you want to know what Harlem of the 20s and 30s was, you should inspect photos of James VanDerZee. The honored...

Сообщение Harlem Renaissance in photos of James VanDerZee появились сначала на Old Pictures.

]]>
Couple In Raccoon Coats, 1932

The famous ‘Couple In Raccoon Coats’ showed that black people could make the American Dream come true, 1932

If you want to know what Harlem of the 20s and 30s was, you should inspect photos of James VanDerZee. The honored photographer, whose studio was at 135th street, witnessed the booming Harlem growth in pre- and post-depression years when this area became the black heart of New York City. 

VanDerZee opened his studio in 1917 and continued to capture the fascinating moments of Harlemers’ lives for more than 60 years. He attentively portrayed district dwellers, captured the bright and grim moments of everyday routine, and showed and widespread something that was unpublic: the black middle-class representatives who made an American dream come true.

More iconic photos:

The Molotov man: the Nicaragua photos of Susan Meiselas

Yosemite and the best of Carleton Watkins photos

VanDerZee made his famous picture ‘Couple In Raccoon Coats’ in the darkest days of the Great Depression, showing that black people in America can be successful, and they deserve photographers’ attention. Yes, it wasn’t a common thing to focus on blacks as main photo subjects back in the 20s and 30s. Also, ‘Couple In Raccoon Coats’ photo is among other Top 100 most influential pictures in human history. Even famous Weegee paid much more attention to social inequality within white people, somehow missing other skin colors.

wealthy black men of Harlem, VanDerZee photos

Wealthy black men of Harlem, 1931

VanDerZee lovely pictured respectful African Americans in various places  — the church groups and social clubs, sports events, weddings and funerals, well-known personas, and nobodies who shaped the black community of Harlem. Photographer dreamt of showing the attractiveness of black people of Harlem to the outer world, and he reached his aim in late 1968 when MET curators noticed his works and took them for the grand exhibition.

Black Jews of Harlem

Black Jews of Harlem, 1929

VanDerZee put diligent efforts to present black people of NYC most positively. Retouching techniques enhanced their likenesses and even postmortem pictures (yep, it was pretty popular on those days) looked a bit fancier than they used to be.

James VanDerZee witnessed a new era of Harlem, with its jazz, poetry, art, and literature all flourished, and his photos captured its most glorious moments. He was an eye of the Harlem Renaissance, and we have a unique opportunity to look through his eyes with his brightest photos.

The Heiress, 1938, VanDerZee photos

The Heiress, 1938

Unity Athletic and Social Club, Inc., 1926.

Unity Athletic and Social Club, Inc., 1926.

Harlem Society Tea, 1927.

Harlem Society Tea, 1927.

Capital Grill Restaurant. 1940

The heart of the Harlem – Capital Grill Restaurant. 1940

Street performance, Harlem 1926

Street performance, Harlem 1926

Classroom in a Harlem's school

Classroom in a Harlem’s school, 1941

VanDerZee, 1977

The great photographer VanDerZee, 1977

Young girl with a dog, VanDerZee photos

Young girl with a dog

Сообщение Harlem Renaissance in photos of James VanDerZee появились сначала на Old Pictures.

]]>
https://oldpics.net/harlem-renaissance-in-photos-of-james-vanderzee/feed/ 3
Dinosaurs being transported to New York City World’s fair, 1964 https://oldpics.net/dinosaurs-being-transported-to-new-york-city-worlds-fair-1964/ https://oldpics.net/dinosaurs-being-transported-to-new-york-city-worlds-fair-1964/#respond Sat, 02 Feb 2019 10:33:36 +0000 http://oldpics.net/?p=2384 Сообщение Dinosaurs being transported to New York City World’s fair, 1964 появились сначала на Old Pictures.

]]>

Сообщение Dinosaurs being transported to New York City World’s fair, 1964 появились сначала на Old Pictures.

]]>
https://oldpics.net/dinosaurs-being-transported-to-new-york-city-worlds-fair-1964/feed/ 0
A workman on the framework of the Empire State Building, 1930 https://oldpics.net/a-workman-on-the-framework-of-the-empire-state-building-1930/ https://oldpics.net/a-workman-on-the-framework-of-the-empire-state-building-1930/#respond Mon, 28 Jan 2019 17:02:18 +0000 http://oldpics.net/?p=2352 This man did his work well. Empire State Building passed through many incidents that proved it. For example, this airplane crash accident...

Сообщение A workman on the framework of the Empire State Building, 1930 появились сначала на Old Pictures.

]]>

This man did his work well. Empire State Building passed through many incidents that proved it. For example, this airplane crash accident in 1945.

Сообщение A workman on the framework of the Empire State Building, 1930 появились сначала на Old Pictures.

]]>
https://oldpics.net/a-workman-on-the-framework-of-the-empire-state-building-1930/feed/ 0