JasonDavis
JasonDavis

Reputation: 48983

PHP's file_exists() will not work for me?

For some reason this PHP code below will not work, I can not figure it out.

It is very strange, file_exists does not seem to see that the image does exist, I have checked to make sure a good file path is being inserted into the file_exists function and it is still acting up

If I change file_exists to !file_exists it will return an images that exist and ones that do not exist

define('SITE_PATH2', 'http://localhost/');

$noimg = SITE_PATH2. 'images/userphoto/noimagesmall.jpg';
$thumb_name = 'http://localhost/images/userphoto/1/2/2/59874a886a0356abc1_thumb9.jpg';
if (file_exists($thumb_name)) {
    $img_name = $thumb_name;
}else{
    $img_name = $noimg;
}
echo $img_name;

Upvotes: 48

Views: 116185

Answers (7)

AvatarKava
AvatarKava

Reputation: 15453

file_exists() needs to use a file path on the hard drive, not a URL. So you should have something more like:

$thumb_name = $_SERVER['DOCUMENT_ROOT'] . 'images/userphoto/1/2/2/59874a886a0356abc1_thumb9.jpg';
if(file_exists($thumb_name)) {
    some_code
}

https://www.php.net/file_exists

Upvotes: 104

Gumbo
Gumbo

Reputation: 655775

file_exists does only work on the local file system.

So try this if you’re using localhost:

$thumb_name = 'images/userphoto/1/2/2/59874a886a0356abc1_thumb9.jpg';
if (file_exists($_SERVER['DOCUMENT_ROOT'].$thumb_name)) {
    $img_name = SITE_PATH2.$thumb_name;
} else {
    $img_name = $noimg;
}

Upvotes: 8

user4564807
user4564807

Reputation:

Try Below one. Its working for me

define('SITE_PATH2', 'http://localhost/');
$noimg = SITE_PATH2. 'images/userphoto/noimagesmall.jpg';
$thumb_name = 'http://localhost/images/userphoto/1/2/2/59874a886a0356abc1_thumb9.jpg';

if ($fileopen = @fopen($thumb_name)) {
    $img_name = $thumb_name;
    fclose($fileopen);
}else{
    $img_name = $noimg;
}
echo $img_name;

Upvotes: 0

Mannusanghi
Mannusanghi

Reputation: 249

You have to write the file path like "file:///C:/Documents%20and%20Settings/xyz/Desktop/clip_image001.jpg".

Upvotes: 1

StampedeXV
StampedeXV

Reputation: 2815

http://php.net/manual/en/function.file-exists.php

did you check the comments below?

Just reading parts of it, but there seem to be several issues.

Caching may be a problem. When opening FTP urls it always returns true (they say in the comments) ...

Upvotes: 0

user142019
user142019

Reputation:

Have you enabled the option which allows you to use external URLs? You can set it in php.ini:

allow_url_fopen = 1

Upvotes: 2

SilentGhost
SilentGhost

Reputation: 319959

docs say:

As of PHP 5.0.0, this function can also be used with some URL wrappers. Refer to List of Supported Protocols/Wrappers for a listing of which wrappers support stat() family of functionality.

Upvotes: 9

Related Questions