Как убрать ошибку warning

I have some PHP code. When I run it, a warning message appears.

How can I remove/suppress/ignore these warning messages?

Banee Ishaque K's user avatar

asked Jan 1, 2010 at 0:32

Alireza's user avatar

1

You really should fix whatever’s causing the warning, but you can control visibility of errors with error_reporting(). To skip warning messages, you could use something like:

error_reporting(E_ERROR | E_PARSE);

Sean Bright's user avatar

Sean Bright

119k17 gold badges138 silver badges146 bronze badges

answered Jan 1, 2010 at 0:37

Tatu Ulmanen's user avatar

Tatu UlmanenTatu Ulmanen

123k34 gold badges187 silver badges185 bronze badges

4

You can put an @ in front of your function call to suppress all error messages.

@yourFunctionHere();

Mark Amery's user avatar

Mark Amery

144k81 gold badges406 silver badges459 bronze badges

answered Jan 1, 2010 at 0:41

PetPaulsen's user avatar

PetPaulsenPetPaulsen

3,4422 gold badges22 silver badges33 bronze badges

12

To suppress warnings while leaving all other error reporting enabled:

error_reporting(E_ALL ^ E_WARNING); 

Mark Amery's user avatar

Mark Amery

144k81 gold badges406 silver badges459 bronze badges

answered Feb 11, 2011 at 8:08

Karthik's user avatar

KarthikKarthik

1,4383 gold badges17 silver badges29 bronze badges

If you don’t want to show warnings as well as errors use

// Turn off all error reporting
error_reporting(0);

Error Reporting — PHP Manual

MD XF's user avatar

MD XF

7,8607 gold badges41 silver badges71 bronze badges

answered Jan 22, 2013 at 3:16

mohan.gade's user avatar

mohan.gademohan.gade

1,0951 gold badge9 silver badges15 bronze badges

0

If you want to suppress the warnings and some other error types (for example, notices) while displaying all other errors, you can do:

error_reporting(E_ALL & ~E_WARNING & ~E_NOTICE);

answered Jan 10, 2018 at 17:13

zstate's user avatar

zstatezstate

1,9951 gold badge18 silver badges20 bronze badges

in Core Php to hide warning message set error_reporting(0) at top of common include file or individual file.

In WordPress hide Warnings and Notices add following code in wp-config.php file

ini_set('log_errors','On');
ini_set('display_errors','Off');
ini_set('error_reporting', E_ALL );
define('WP_DEBUG', false);
define('WP_DEBUG_LOG', true);
define('WP_DEBUG_DISPLAY', false);

answered May 12, 2017 at 5:04

Vijay Lathiya's user avatar

1

I do it as follows in my php.ini:

error_reporting = E_ALL & ~E_WARNING  & ~E_NOTICE & ~E_STRICT & ~E_DEPRECATED

This logs only fatal errors and no warnings.

honk's user avatar

honk

9,13711 gold badges75 silver badges83 bronze badges

answered Feb 27, 2018 at 8:43

navid's user avatar

navidnavid

1,0529 silver badges20 bronze badges

0

Not exactly answering the question, but I think this is a better compromise in some situations:

I had a warning message as a result of a printf() statement in a third-party library. I knew exactly what the cause was — a temporary work-around while the third-party fixed their code. I agree that warnings should not be suppressed, but I could not demonstrate my work to a client with the warning message popping up on screen. My solution:

printf('<div style="display:none">');
    ...Third-party stuff here...
printf('</div>');

Warning was still in page source as a reminder to me, but invisible to the client.

FelixSFD's user avatar

FelixSFD

6,06210 gold badges43 silver badges117 bronze badges

answered Dec 30, 2012 at 20:03

DaveWalley's user avatar

DaveWalleyDaveWalley

81710 silver badges22 bronze badges

4

I think that better solution is configuration of .htaccess In that way you dont have to alter code of application. Here are directives for Apache2

php_flag display_startup_errors off
php_flag display_errors off
php_flag html_errors off
php_value docref_root 0
php_value docref_ext 0

answered May 10, 2014 at 16:34

Sebastian Piskorski's user avatar

You could suppress the warning using error_reporting but the much better way is to fix your script in the first place.

Dharman's user avatar

Dharman

31.1k25 gold badges86 silver badges137 bronze badges

answered Jan 1, 2010 at 0:34

Pekka's user avatar

PekkaPekka

442k143 gold badges972 silver badges1089 bronze badges

1

There is already answer with Error Control Operator but it lacks of explanation. You can use @ operator with every expression and it hides errors (except of Fatal Errors).

@$test['test']; //PHP Notice:  Undefined variable: test

@(14/0); // PHP Warning:  Division by zero

//This is not working. You can't hide Fatal Errors this way.
@customFuntion(); // PHP Fatal error:  Uncaught Error: Call to undefined function customFuntion()

For debugging it’s fast and perfect method. But you should never ever use it on production nor permanent include in your local version. It will give you a lot of unnecessary irritation.

You should consider instead:

1. Error reporting settings as mentioned in accepted answer.

error_reporting(E_ERROR | E_PARSE);

or from PHP INI settings

ini_set('display_errors','Off');

2. Catching exceptions

try {
    $var->method();
} catch (Error $e) {
    // Handle error
    echo $e->getMessage();
}

answered May 24, 2020 at 3:28

Jsowa's user avatar

JsowaJsowa

9,1445 gold badges56 silver badges60 bronze badges

When you are sure your script is perfectly working, you can get rid of warning and notices like this: Put this line at the beginning of your PHP script:

error_reporting(E_ERROR);

Before that, when working on your script, I would advise you to properly debug your script so that all notice or warning disappear one by one.

So you should first set it as verbose as possible with:

error_reporting(E_ERROR | E_WARNING | E_PARSE | E_NOTICE);

UPDATE: how to log errors instead of displaying them

As suggested in the comments, the better solution is to log errors into a file so only the PHP developer sees the error messages, not the users.

A possible implementation is via the .htaccess file, useful if you don’t have access to the php.ini file (source).

# Suppress PHP errors
php_flag display_startup_errors off
php_flag display_errors off
php_flag html_errors off
php_value docref_root 0
php_value docref_ext 0

# Enable PHP error logging
php_flag  log_errors on
php_value error_log  /home/path/public_html/domain/PHP_errors.log

# Prevent access to PHP error log
<Files PHP_errors.log>
 Order allow,deny
 Deny from all
 Satisfy All
</Files>

I have some PHP code. When I run it, a warning message appears.

How can I remove/suppress/ignore these warning messages?

Banee Ishaque K's user avatar

asked Jan 1, 2010 at 0:32

Alireza's user avatar

1

You really should fix whatever’s causing the warning, but you can control visibility of errors with error_reporting(). To skip warning messages, you could use something like:

error_reporting(E_ERROR | E_PARSE);

Sean Bright's user avatar

Sean Bright

119k17 gold badges138 silver badges146 bronze badges

answered Jan 1, 2010 at 0:37

Tatu Ulmanen's user avatar

Tatu UlmanenTatu Ulmanen

123k34 gold badges187 silver badges185 bronze badges

4

You can put an @ in front of your function call to suppress all error messages.

@yourFunctionHere();

Mark Amery's user avatar

Mark Amery

144k81 gold badges406 silver badges459 bronze badges

answered Jan 1, 2010 at 0:41

PetPaulsen's user avatar

PetPaulsenPetPaulsen

3,4422 gold badges22 silver badges33 bronze badges

12

To suppress warnings while leaving all other error reporting enabled:

error_reporting(E_ALL ^ E_WARNING); 

Mark Amery's user avatar

Mark Amery

144k81 gold badges406 silver badges459 bronze badges

answered Feb 11, 2011 at 8:08

Karthik's user avatar

KarthikKarthik

1,4383 gold badges17 silver badges29 bronze badges

If you don’t want to show warnings as well as errors use

// Turn off all error reporting
error_reporting(0);

Error Reporting — PHP Manual

MD XF's user avatar

MD XF

7,8607 gold badges41 silver badges71 bronze badges

answered Jan 22, 2013 at 3:16

mohan.gade's user avatar

mohan.gademohan.gade

1,0951 gold badge9 silver badges15 bronze badges

0

If you want to suppress the warnings and some other error types (for example, notices) while displaying all other errors, you can do:

error_reporting(E_ALL & ~E_WARNING & ~E_NOTICE);

answered Jan 10, 2018 at 17:13

zstate's user avatar

zstatezstate

1,9951 gold badge18 silver badges20 bronze badges

in Core Php to hide warning message set error_reporting(0) at top of common include file or individual file.

In WordPress hide Warnings and Notices add following code in wp-config.php file

ini_set('log_errors','On');
ini_set('display_errors','Off');
ini_set('error_reporting', E_ALL );
define('WP_DEBUG', false);
define('WP_DEBUG_LOG', true);
define('WP_DEBUG_DISPLAY', false);

answered May 12, 2017 at 5:04

Vijay Lathiya's user avatar

1

I do it as follows in my php.ini:

error_reporting = E_ALL & ~E_WARNING  & ~E_NOTICE & ~E_STRICT & ~E_DEPRECATED

This logs only fatal errors and no warnings.

honk's user avatar

honk

9,13711 gold badges75 silver badges83 bronze badges

answered Feb 27, 2018 at 8:43

navid's user avatar

navidnavid

1,0529 silver badges20 bronze badges

0

Not exactly answering the question, but I think this is a better compromise in some situations:

I had a warning message as a result of a printf() statement in a third-party library. I knew exactly what the cause was — a temporary work-around while the third-party fixed their code. I agree that warnings should not be suppressed, but I could not demonstrate my work to a client with the warning message popping up on screen. My solution:

printf('<div style="display:none">');
    ...Third-party stuff here...
printf('</div>');

Warning was still in page source as a reminder to me, but invisible to the client.

FelixSFD's user avatar

FelixSFD

6,06210 gold badges43 silver badges117 bronze badges

answered Dec 30, 2012 at 20:03

DaveWalley's user avatar

DaveWalleyDaveWalley

81710 silver badges22 bronze badges

4

I think that better solution is configuration of .htaccess In that way you dont have to alter code of application. Here are directives for Apache2

php_flag display_startup_errors off
php_flag display_errors off
php_flag html_errors off
php_value docref_root 0
php_value docref_ext 0

answered May 10, 2014 at 16:34

Sebastian Piskorski's user avatar

You could suppress the warning using error_reporting but the much better way is to fix your script in the first place.

Dharman's user avatar

Dharman

31.1k25 gold badges86 silver badges137 bronze badges

answered Jan 1, 2010 at 0:34

Pekka's user avatar

PekkaPekka

442k143 gold badges972 silver badges1089 bronze badges

1

There is already answer with Error Control Operator but it lacks of explanation. You can use @ operator with every expression and it hides errors (except of Fatal Errors).

@$test['test']; //PHP Notice:  Undefined variable: test

@(14/0); // PHP Warning:  Division by zero

//This is not working. You can't hide Fatal Errors this way.
@customFuntion(); // PHP Fatal error:  Uncaught Error: Call to undefined function customFuntion()

For debugging it’s fast and perfect method. But you should never ever use it on production nor permanent include in your local version. It will give you a lot of unnecessary irritation.

You should consider instead:

1. Error reporting settings as mentioned in accepted answer.

error_reporting(E_ERROR | E_PARSE);

or from PHP INI settings

ini_set('display_errors','Off');

2. Catching exceptions

try {
    $var->method();
} catch (Error $e) {
    // Handle error
    echo $e->getMessage();
}

answered May 24, 2020 at 3:28

Jsowa's user avatar

JsowaJsowa

9,1445 gold badges56 silver badges60 bronze badges

аватар |

Часто слышал о такой проблеме от других пользователей. Одним из-за хостера нужно скрыть появляющиеся ошибки, другим наоборот — понять, что происходит с их кодом, потому что ни одна ошибка не показывается. В этой статье постараюсь показать все основные способы отобразить / скрыть ошибки.

В скрипте PHP

1) В PHP есть всего лишь один оператор, который поддерживает систему управления ошибками — это знак @. Он позволяет проигнорировать сообщение любое сообщение об ошибке. Его нужно ставить ПЕРЕД выражением, которое может её содержать.

В примере специально допущена ошибка, но она НЕ будет отображена

$value = @$var[$key];

2) Также можно перед проверяемым скриптом PHP можно вставить настройку параметра отображения ошибок (display_errors). Он может приобретать значение либо On (показывать), либо Off (скрыть).

ini_set('display_errors','On');
error_reporting('E_ALL');

И соответственно после кода, который проверялся на ошибки, выставить параметр обратно.

ini_set('display_errors','Off');

Например, Вы хотите увидеть ошибки в скрипте

ini_set('display_errors', 'On'); // сообщения с ошибками будут показываться
error_reporting(E_ALL); // E_ALL - отображаем ВСЕ ошибки
$value = $var[$key]; // пример ошибки
ini_set('display_errors', 'Off'); // теперь сообщений НЕ будет

Можно выставить наоборот (в верхнем off, а в нижнем on), чтобы в конкретном отрезке кода ошибки НЕ отображались.

В файле .htaccess

Чаще всего проблему решают именно указанием настроек в файле .htaccess, который располагается в корневой директории сайта. В строке php_flag display_errors нужно также выставить On или Off

php_flag display_errors On
#показать все ошибки кроме предупреждений (Notice)
php_value error_reporting "E_ALL & ~E_NOTICE"
Если Вам нужно работать с конкретным типом ошибок, то привожу основные их виды:

E_ALL — все ошибки
E_ERROR — ошибки функций (критические)
E_WARNING — предупреждения
E_PARSE — ошибки синтаксиса
E_NOTICE — замечания (ненормальный код — кодировка и тп)
E_CORE_ERROR — ошибка обработчика
E_CORE_WARNING — предупреждения обработчика
E_COMPILE_ERROR — ошибка компилятора
E_COMPILE_WARNING — предупреждение компилятора
E_USER_ERROR — ошибка пользователей
E_USER_WARNING — предупреждение пользователей
E_USER_NOTICE — уведомления пользователей

В файле php.ini

Как видите, параметр можно указать в нескольких местах. Однако, если у Вы хотите, чтобы целиком на сайте этот параметр имел определённое значение, то проще выставить его в файле php.ini.(к нему на хостинге не всегда может быть доступ), но в этом случае можно будет даже обойти настройки всего хостинга

В php.ini:

error_reporting = E_ALL
display_errors On

В верхней строке выбираем все виды ошибок, в нижней даём добро на их отображение.

После правок необходимо перезапустить Apache, чтобы настройки были изменены и вступили в силу (graceful или restart):

sudo apachectl -k graceful

В каком порядке обрабатывается параметр ошибок

В самом начале учитывается параметр php.ini , затем .htaccess , а после то, что указано непосредственно в скрипте PHP. Так что если что-то не сработало, то смотрим по цепочку выше, возможно, там настройка другая.

Как обычно спасибо за внимание и удачи! Надеюсь статья была полезна!

Предыдущая статья
Пример настройки файла htaccess php Следующая статья
Как подсчитать количество строк в файле PHP?

Похожие статьи

Комментарии к статье (vk.com)

При написании кода на Python, возможно столкнуться с ситуацией, когда в процессе его выполнения выводится большое количество предупреждений. Это может

При написании кода на Python, возможно столкнуться с ситуацией, когда в процессе его выполнения выводится большое количество предупреждений. Это может произойти, например, при использовании библиотеки warnings, которая служит для вывода предупреждений о возможных ошибках или неправильном использовании функций.

import warnings
warnings.warn("Это предупреждение!")

Выполнение данного кода приведет к выводу текста предупреждения.

Иногда эти предупреждения могут быть неинформативными или неактуальными для конкретной задачи, и хотелось бы их отключить. Однако, как это сделать? Ведь в документации библиотеки warnings описан только способ отключения предупреждений для отдельных функций, что не всегда удобно.

В Python нет встроенной опции, позволяющей отключить все предупреждения при запуске скрипта, вроде python -no-warning foo.py. Но не стоит отчаиваться, есть несколько других способов.

Использование функции warnings.filterwarnings

Самый простой способ отключить все предупреждения — использовать функцию filterwarnings из библиотеки warnings:

import warnings
warnings.filterwarnings("ignore")

Если добавить эти две строки в начало скрипта, то все предупреждения, которые могли бы быть выведены, будут проигнорированы.

Переменная окружения PYTHONWARNINGS

Еще один способ — использование переменной окружения PYTHONWARNINGS. Если перед запуском скрипта установить значение этой переменной равным ignore, то все предупреждения также будут проигнорированы:

PYTHONWARNINGS="ignore" python script.py

Таким образом, несмотря на отсутствие встроенной функции для отключения всех предупреждений в Python, существуют способы, которые позволяют это сделать. Однако стоит помнить, что предупреждения — это способ Python сказать, что что-то может быть не так в коде, и их игнорирование может привести к непредвиденным ошибкам.

Понравилась статья? Поделить с друзьями:
  • Как убрать ошибку абс ауди а4 б5
  • Как убрать ошибку volkswagen polo
  • Как убрать ошибку xray engine
  • Как убрать ошибку vcomp110 dll
  • Как убрать ошибку usb устройство не опознано