00.46.38
WordPress 2.8.5 Unrestricted File Upload Arbitrary PHP Code Execution
==============================
===============
- Release date: November 11th, 2009
- Discovered by: Dawid Golunski
- Severity: Moderately High
=============================================

I. VULNERABILITY
-------------------------
WordPress <= 2.8.5 Unrestricted File Upload Arbitrary PHP Code Execution

II. BACKGROUND
-------------------------
WordPress is a state-of-the-art publishing platform with a focus on aesthetics, web standards,
and  usability. WordPress is both free and priceless at the same time. More simply, WordPress is
what you use when you want to work with your blogging software, not fight it.

III. DESCRIPTION
-------------------------

Wordpress allows authorised users to add an attachment to a blog post.
It does not sanitize provided file properly before moving it to an uploads directory.

The part of the code responsible for uploading files looks as follows:

wp-admin/includes/file.php:
---[cut]---
line 217:
function wp_handle_upload( &$file, $overrides = false, $time = null ) {
---[cut]---
// All tests are on by default. Most can be turned off by $override[{test_name}] = false;
$test_form = true;
$test_size = true;

// If you override this, you must provide $ext and $type!!!!
$test_type = true;
$mimes = false;
---[cut]---

// A properly uploaded file will pass this test. There should be no reason to override this one.
if (! @ is_uploaded_file( $file['tmp_name'] ) )
       return $upload_error_handler( $file, __( 'Specified file failed upload test.' ));

// A correct MIME type will pass this test. Override $mimes or use the upload_mimes filter.
if ( $test_type ) {
       $wp_filetype = wp_check_filetype( $file['name'], $mimes );

       extract( $wp_filetype );

       if ( ( !$type || !$ext ) && !current_user_can( 'unfiltered_upload' ) )
               return $upload_error_handler( $file,
                                              __( 'File type does not meet security guidelines. Try another.' ));

       if ( !$ext )
               $ext = ltrim(strrchr($file['name'], '.'), '.');

       if ( !$type )
               $type = $file['type'];
} else {
       $type = '';
}

// A writable uploads dir will pass this test. Again, there's no point overriding this one.
if ( ! ( ( $uploads = wp_upload_dir($time) ) && false === $uploads['error'] ) )
       return $upload_error_handler( $file, $uploads['error'] );

$filename = wp_unique_filename( $uploads['path'], $file['name'], $unique_filename_callback );

// Move the file to the uploads dir
$new_file = $uploads['path'] . "/$filename";
if ( false === @ move_uploaded_file( $file['tmp_name'], $new_file ) ) {
       return $upload_error_handler( $file,
                  sprintf( __('The uploaded file could not be moved to %s.' ), $uploads['path'] ) );
}
---[cut ]---

From the above code we can see that provided filename gets checked with:
$wp_filetype = wp_check_filetype( $file['name'], $mimes );

Here is how the wp_check_filetype() function looks like:

wp-includes/functions.php:
---[cut]---
line 2228:

function wp_check_filetype( $filename, $mimes = null ) {
       // Accepted MIME types are set here as PCRE unless provided.
       $mimes = ( is_array( $mimes ) ) ? $mimes : apply_filters( 'upload_mimes', array(
               'jpg|jpeg|jpe' => 'image/jpeg',
               'gif' => 'image/gif',
               'png' => 'image/png',
               'bmp' => 'image/bmp',
               'tif|tiff' => 'image/tiff',
               'ico' => 'image/x-icon',
               'asf|asx|wax|wmv|wmx' => 'video/asf',
               'avi' => 'video/avi',

                               ---[cut, more mime types]---
line 2279:

       $type = false;
       $ext = false;

       foreach ( $mimes as $ext_preg => $mime_match ) {
               $ext_preg = '!\.(' . $ext_preg . ')$!i';
               if ( preg_match( $ext_preg, $filename, $ext_matches ) ) {
                       $type = $mime_match;
                       $ext = $ext_matches[1];
                       break;
               }
       }

       return compact( 'ext', 'type' );
}

We can see that type of the file gets set to a predefined MIME type that matches supplied
extension, and that the extension is obtained from a regexp that matches a mime ext. string after
the LAST dot.
If extension is not on the list $type and $ext will be set to FALSE and wordpress will
produce an error ("File type does not meet security guidelines. Try another").

Let's look at the other check that is performed on the filename before a file gets uploaded,
that is a call to the following function:
$filename = wp_unique_filename( $uploads['path'], $file['name'], $unique_filename_callback );


wp-includes/functions.php:
line 2096:
function wp_unique_filename( $dir, $filename, $unique_filename_callback = null ) {
       // sanitize the file name before we begin processing
       $filename = sanitize_file_name($filename);

       ---[cut, code that only matters if uploaded file already exists]---
line 2126:
               return $filename;
}

To have a complete view on file sanitization performed by wordpress we need to look into the
sanitize_file_name() function:

wp-includes/formatting.php:
line 601:
function sanitize_file_name( $filename ) {
       $filename_raw = $filename;
       $special_chars = array("?", "[", "]", "/", "\\", "=", "<", ">", ":", ";", ",", "'", "\"",
                               "&", "$", "#", "*", "(", ")", "|", "~", "`", "!", "{", "}", chr(0));
       $special_chars = apply_filters('sanitize_file_name_chars', $special_chars, $filename_raw);
       $filename = str_replace($special_chars, '', $filename);
       $filename = preg_replace('/[\s-]+/', '-', $filename);
       $filename = trim($filename, '.-_');
       return apply_filters('sanitize_file_name', $filename, $filename_raw);
}

This function removes special characters shown above, replaces spaces and consecutive dashes with
a single dash, trims period, dash and underscore from beginning and end of the filename.

The sanitization process appears quite extensive however it does not take into account files that
have multiple extensions.
It is possible to upload a file containing an arbitrary PHP script with an extension of '.php.jpg'
and execute it by requesting the uploaded file directly.


The execution of the PHP code despite the .php.jpg extension is possible because Apache
allows for multiple extensions. Here is a quote from Apache docs regarding this matter:

"
Files can have more than one extension, and the order of the extensions is normally irrelevant.
For example, if the file welcome.html.fr maps onto content type text/html and language French then
the file welcome.fr.html will map onto exactly the same information. If more than one extension is
given that maps onto the same type of meta-information, then the one to the right will be used,
except for languages and content encodings. For example, if .gif maps to the MIME-type  image/gif
and .html maps to the MIME-type text/html, then the file welcome.gif.html will be associated with
the MIME-type text/html.

Care should be taken when a file with multiple extensions gets associated with both a MIME-type
and a handler. This will usually result in the request being handled by the module associated with
the handler. For example, if the .imap  extension is mapped to the handler imap-file
(from mod_imagemap) and the .html extension is mapped to the MIME-type text/html, then the file
world.imap.html will be associated with both the imap-file handler and text/html MIME-type.
When it is processed, the imap-file handler will be used, and so it will be treated as a
mod_imagemap imagemap file.
"

IV. PROOF OF CONCEPT
-------------------------
Browser is enough to replicate this issue. Simply log in to your wordpress blog as a low privileged
user or admin. Create a new post and use the media file upload feature to upload a file:

test-image.php.jpg

containing the following code:

<?php
       phpinfo();
?>

After the upload you should receive a positive response saying:

test-vuln.php.jpg
image/jpeg
2009-11-11

and it should be possible to request the uploaded file via a link:
http://link-to-our-wp-unsecured-blog.com/wp-content/uploads/2009/11/test-vuln.php.jpg

thus executing the PHP code it contains.

In the above code example, a php info page will be shown.

V. BUSINESS IMPACT
-------------------------
An attacker that has already obtained login details (for example by stealing user's cookies with
an XSS attack) to the blog as one of the existing users could exploit this vulnerability to get
access to the system in the Apache user's context.
From there he could use local bugs to further escalate the privileges. Apache account would be
enough in most cases to view the source codes and gain access to the databases.

Some wordpress users of the 2.8.5 release have reported that some php files have been added to
their wordpress directory. It could be possible that they have been hit by this bug. Therefore it
is important to take some countermeasures as soon as possible.

VI. SYSTEMS AFFECTED
-------------------------
Most likely all of the wordpress releases contain this bug. Including the current hardened stable
release 2.8.5 and the beta version.

VII. SOLUTION
-------------------------
Vendor has been informed about the bug. Currently wordpress developers and contributors are in
the process of bug hunting and fixing reported bugs in beta versions before the new stable release,
so hopefully it should not take long for them to take this problem into account.

You can apply the temporary solutions for this problem which I provide below before an official
patch is made.

You can create a .htaccess file in the uploads dir (wordpress/wp-content/uploads) with
the following content:

deny from all
<Files ~ "^\w+\.(gif|jpe?g|png|avi)$">
       order deny,allow
       allow from all
</Files>

Adjust allowed file extensions in the brackets if necessary.
This will prevent Apache from serving files with double extensions inside the uploads directory.

Alternatively you can try to patch the source code yourself by editing the
wp-admin/includes/file.php file and the wp_handle_upload() function it contains. An example patch
could be to add the following three lines of code at the line 260:

// Fix Unrestricted File Upload Arbitrary PHP Code Execution bug, return if more than 1 extension provided
if ( count(explode('.', $file['name'])) > 2 );
       return $upload_error_handler( $file, __( 'File type does not meet security guidelines. Try another.' ));


VIII. REFERENCES
-------------------------
http://www.wordpress.org
http://httpd.apache.org/docs/2.2/mod/mod_mime.html#multipleext

IX. CREDITS
-------------------------
This vulnerability has been discovered by Dawid Golunski
golunski (at) onet (dot) eu

Greetings go to: robxt, sajanek, xsoti, bart, falcon (for the old time's sake :) and complexmind

X. REVISION HISTORY
-------------------------
November 11th, 2009: Initial release

XI. LEGAL NOTICES
-------------------------
The information contained within this advisory is supplied "as-is" with no warranties or guarantees of fitness of
use or otherwise. I accept no responsibility for any damage caused by the use or misuse of this info
Views: 8589 | Added by: apeh1706 | Rating: 0.0/0
Total comments: 171 2 »
17 Robertwaymn  
0
Hello dear friend, I would like to offer placement of your link (or links) on different platforms of the internet such as: forums, blogs, comments and much more. . .

Increase your Visibility Boost Your Seo Rank - Get Organic Traffic From Google. Ranking in Google isn’t hard. All you need is a healthy number of backlinks from referring domains that have authority and trust in Google’s eyes.

This Backlinks Service Benefits:

1. Easily get Google rankings

2. Get a lot of traffic from Google

3. You can earn from the website in different ways

4. Increase Domain Authority (DA)

Quality guaranteed !

PRICE - 20$

WebSite - https://goo.su/ZUHZ

16 1995  
0
casino-x.ucoz.ru

15 DavidSaf  
0
http://www.academicessay.club/academic-writing-for-hire-us.html
http://www.academicessay.club/academic-essay-ghostwriters-for-hire-au.html
http://www.academicessay.club/index.html
http://www.academicessay.club/academic-editor-sites.html
http://www.academicessay.club/academic-writers-service-gb.html
http://www.academicessay.club/academic-essay-ghostwriting-services-usa.html
http://www.academicessay.club/academic-editing-for-hire-gb.html
http://www.academicessay.club/academic-essay-ghostwriter-site-gb.html
http://www.academicessay.club/academic-writers-service-online.html
http://www.academicessay.club/academic-essay-on-technology.html

14 promgazenergo  
0
kotelnaya-ustanovka http://promgazenergo.su/

13 gazcom  
0
kotelnaya http://www.gaz-com.ru/

12 AshleyJATA  
0
Dating girls from Brazil, Asia.
Assistance in finding love
http://link.ac/2urJ7
http://link.ac/2Uou1
if the link does not work, insert it in your browser

11 computer speakers  
0
These speakers have skills to crouch down to understand the problems people are facing and talk to them in a friendly manner and help them bring a new energy in their life. Softphones generally resemble the keypad on conventional telephones and work in much the same way. On the right speaker, you'll find four 18-watt Class D amplifiers - two for the right speaker, two for the left. One of the aspects of the Web that affects me most profoundly is the simple fact that if you think of anything at all in the known Universe, you can then look it up on your search engine like Google and in the time it takes to blink your eye, immediately start to learn. Joshua Feinberg, co-founder of Computer Consulting 101, is a 15-year computer consulting veteran and has appeared in dozens of business and IT trade publications including CRN, VARBusiness, Microsoft Direct Access, TechRepublic, American Express OPEN, Entrepreneur, Inc, SCORE, Small Business Computing, and USA Today. that were wrongly purchased may also take some time that is why there is a need computers can network together. In conclusion I feel that these speakers are one of the best packages available on the market at the moment and well worth spending your funds on. And the good news is that it's easier than ever to find cheap speakers that perform nearly as well as today's most expensive models. They have also launched Bluetooth speakers. The system is quite good at simulating the effects of a live performance or cinema. Properly, the just want to produce certain in which their goods would allow it to be in the Industry knowning that the market would be capable to avail of these kind of goods. Some of the features are because follows: My brother has certainly made a wise decision in pursuing a computer information systems degree. "This happens, for reasons similar to conventional telephone with speakerphone feature is encountered. For Stereo use, a pair of large home audio speaker boxes might have been fine, but for home theater use, especially with today's thin flat-panel TVs, slimmer speakers are usually used. Nonetheless, this movement is not perfectly linear. These days it's difficult to find computer systems, monitors or cases without some form of default/built-in speakers. The design of these 2-piece satellite speakers also brings elegance and style to your computer desk and entertainment room. These are ideal for movie watchers and gamers who are reluctant to compromise on sound quality. Now the sound cards were dedicated to providing the best possible sound experience to the end-user. and in todayÂ’s market comes at a very low cost. Alternatively, find the best deal possible on a pair of PC speakers and get those. http://yes.youngdong.ac.kr/community/groups/searching-for-a-good-wireless-speakers/ Find a graphics card that has outstanding graphics rendering capabilities and sky-scraping graphics memory. you want this software to perform. Once the talent booking agency knows what you want, they will be able to go through their list of keynote speakers and choose appropriate keynote speakers you can interview. Speakers are not simple add-on gadgets for your desktop. It is a real pain to replace iPhone batteries An innovative new entry into the accessory market for iPhones is the charging case. Motivational speakers play vital role in bringing positive changes in our lives by providing perceptivity into many daily routine situations we have to face. The Neumann U87 is out of most people's price range but the is an excellent microphone for under $1000. Most people seem to prefer to purchase a laptop/notebook computer these days instead of the more traditional desktop computer. Most gamers use the more high end speakers Logitech makes. http://wiki.dejutters.nl/index.php?title=Gebruiker:DillonScal Use a Speakers Bureau To discover The most impressive Speakers

10 Carmrourn  
0
Спасибо за труды :)))))

9 Kestshagree  
0
Блог об автомобилях

8 Lerspeeli  
0
Спасибо вам большое !
------------------------------------------------
[url=http://answers.aristocraticshop.com/index.php?action=profile;u=71633
My profile on another forum[/url]
[url=http://forum.germanshop.org/index.php?showuser=60261
My profile on another forum[/url]
[url=http://bwithyou.com/forum/member.php?117222-Sipleldinlext
My profile on another forum[/url]
[url=http://portaldescargadirecta.com/member.php?action=profile&uid=12190
My profile on another forum[/url]

1-10 11-17
Name *:
Email *:
Code *:
close