Ошибка 110 connection timed out

I have Puma running as the upstream app server and Riak as my background db cluster. When I send a request that map-reduces a chunk of data for about 25K users and returns it from Riak to the app, I get an error in the Nginx log:

upstream timed out (110: Connection timed out) while reading
response header from upstream

If I query my upstream directly without nginx proxy, with the same request, I get the required data.

The Nginx timeout occurs once the proxy is put in.

**nginx.conf**

http {
    keepalive_timeout 10m;
    proxy_connect_timeout  600s;
    proxy_send_timeout  600s;
    proxy_read_timeout  600s;
    fastcgi_send_timeout 600s;
    fastcgi_read_timeout 600s;
    include /etc/nginx/sites-enabled/*.conf;
}

**virtual host conf**

upstream ss_api {
  server 127.0.0.1:3000 max_fails=0  fail_timeout=600;
}

server {
  listen 81;
  server_name xxxxx.com; # change to match your URL

  location / {
    # match the name of upstream directive which is defined above
    proxy_pass http://ss_api; 
    proxy_set_header  Host $http_host;
    proxy_set_header  X-Real-IP  $remote_addr;
    proxy_set_header  X-Forwarded-For $proxy_add_x_forwarded_for;
    proxy_cache cloud;
    proxy_cache_valid  200 302  60m;
    proxy_cache_valid  404      1m;
    proxy_cache_bypass $http_authorization;
    proxy_cache_bypass http://ss_api/account/;
    add_header X-Cache-Status $upstream_cache_status;
  }
}

Nginx has a bunch of timeout directives. I don’t know if I’m missing something important. Any help would be highly appreciated….

bschlueter's user avatar

bschlueter

3,7981 gold badge30 silver badges48 bronze badges

asked Sep 11, 2013 at 12:01

user2768537's user avatar

1

This happens because your upstream takes too long to answer the request and NGINX thinks the upstream already failed in processing the request, so it responds with an error.
Just include and increase proxy_read_timeout in location config block.
Same thing happened to me and I used 1 hour timeout for an internal app at work:

proxy_read_timeout 3600;

With this, NGINX will wait for an hour (3600s) for its upstream to return something.

Armen Michaeli's user avatar

answered Sep 13, 2017 at 19:51

Sergio Gonzalez's user avatar

Sergio GonzalezSergio Gonzalez

1,7021 gold badge11 silver badges12 bronze badges

3

You should always refrain from increasing the timeouts, I doubt your backend server response time is the issue here in any case.

I got around this issue by clearing the connection keep-alive flag and specifying http version as per the answer here:
https://stackoverflow.com/a/36589120/479632

server {
    location / {
        proxy_set_header   X-Real-IP $remote_addr;
        proxy_set_header   Host      $http_host;

        # these two lines here
        proxy_http_version 1.1;
        proxy_set_header Connection "";

        proxy_pass http://localhost:5000;
    }
}

Unfortunately I can’t explain why this works and didn’t manage to decipher it from the docs mentioned in the answer linked either so if anyone has an explanation I’d be very interested to hear it.

Community's user avatar

answered Apr 13, 2016 at 5:17

Almund's user avatar

AlmundAlmund

5,5483 gold badges30 silver badges35 bronze badges

13

First figure out which upstream is slowing by consulting the nginx error log
file and adjust the read time out accordingly
in my case it was fastCGI

2017/09/27 13:34:03 [error] 16559#16559: *14381 upstream timed out (110: Connection timed out) while reading response header from upstream, client:xxxxxxxxxxxxxxxxxxxxxxxxx", upstream: "fastcgi://unix:/var/run/php/php5.6-fpm.sock", host: "xxxxxxxxxxxxxxx", referrer: "xxxxxxxxxxxxxxxxxxxx"

So i have to adjust the fastcgi_read_timeout in my server configuration

 location ~ .php$ {
     fastcgi_read_timeout 240;
     ...
 }

See: original post

Finwe's user avatar

Finwe

6,2462 gold badges28 silver badges44 bronze badges

answered Sep 27, 2017 at 14:19

Ruberandinda Patience's user avatar

2

In your case it helps a little optimization in proxy, or you can use «# time out settings»

location / 
{        

  # time out settings
  proxy_connect_timeout 159s;
  proxy_send_timeout   600;
  proxy_read_timeout   600;
  proxy_buffer_size    64k;
  proxy_buffers     16 32k;
  proxy_busy_buffers_size 64k;
  proxy_temp_file_write_size 64k;
  proxy_pass_header Set-Cookie;
  proxy_redirect     off;
  proxy_hide_header  Vary;
  proxy_set_header   Accept-Encoding '';
  proxy_ignore_headers Cache-Control Expires;
  proxy_set_header   Referer $http_referer;
  proxy_set_header   Host   $host;
  proxy_set_header   Cookie $http_cookie;
  proxy_set_header   X-Real-IP  $remote_addr;
  proxy_set_header X-Forwarded-Host $host;
  proxy_set_header X-Forwarded-Server $host;
  proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
}

answered Dec 19, 2013 at 10:13

Dimitrios's user avatar

DimitriosDimitrios

1,13311 silver badges10 bronze badges

4

I would recommend to look at the error_logs, specifically at the upstream part where it shows specific upstream that is timing out.

Then based on that you can adjust proxy_read_timeout, fastcgi_read_timeout or uwsgi_read_timeout.

Also make sure your config is loaded.

More details here Nginx upstream timed out (why and how to fix)

Eje's user avatar

Eje

3544 silver badges8 bronze badges

answered Apr 22, 2017 at 17:36

gansbrest's user avatar

gansbrestgansbrest

7591 gold badge8 silver badges11 bronze badges

1

I think this error can happen for various reasons, but it can be specific to the module you’re using. For example I saw this using the uwsgi module, so had to set «uwsgi_read_timeout».

answered Oct 10, 2013 at 10:50

Richard's user avatar

RichardRichard

1,78316 silver badges17 bronze badges

1

As many others have pointed out here, increasing the timeout settings for NGINX can solve your issue.

However, increasing your timeout settings might not be as straightforward as many of these answers suggest. I myself faced this issue and tried to change my timeout settings in the /etc/nginx/nginx.conf file, as almost everyone in these threads suggest. This did not help me a single bit; there was no apparent change in NGINX’ timeout settings. Now, many hours later, I finally managed to fix this problem.

The solution lies in this forum thread, and what it says is that you should put your timeout settings in /etc/nginx/conf.d/timeout.conf (and if this file doesn’t exist, you should create it). I used the same settings as suggested in the thread:

proxy_connect_timeout 600;
proxy_send_timeout 600;
proxy_read_timeout 600;
send_timeout 600;

answered Feb 9, 2019 at 9:54

Andreas Forslöw's user avatar

Please also check the keepalive_timeout of the upstream server.

I got a similar issue: random 502, with Connection reset by peer errors in nginx logs, happening when server was on heavy load. Eventually found it was caused by a mismatch between nginx’ and upstream’s (gunicorn in my case) keepalive_timeout values. Nginx was at 75s and upstream only a few seconds. This caused upstream to sometimes fall in timeout and drop the connection, while nginx didn’t understand why.

Raising the upstream server value to match nginx’ one solved the issue.

answered Jul 9, 2021 at 15:29

Eino Gourdin's user avatar

Eino GourdinEino Gourdin

4,0492 gold badges38 silver badges66 bronze badges

If you’re using an AWS EC2 instance running Linux like I am you may also need to restart Nginx for the changes to take effect after adding proxy_read_timeout 3600; to etc/nginx/nginx.conf, I did: sudo systemctl restart nginx

answered Jul 15, 2022 at 18:17

Amon's user avatar

AmonAmon

2,6635 gold badges29 silver badges52 bronze badges

I had the same problem and resulted that was an «every day» error in the rails controller. I don’t know why, but on production, puma runs the error again and again causing the message:

upstream timed out (110: Connection timed out) while reading response header from upstream

Probably because Nginx tries to get the data from puma again and again.The funny thing is that the error caused the timeout message even if I’m calling a different action in the controller, so, a single typo blocks all the app.

Check your log/puma.stderr.log file to see if that is the situation.

answered Dec 26, 2016 at 19:28

aarkerio's user avatar

aarkerioaarkerio

2,1452 gold badges20 silver badges34 bronze badges

Hopefully it helps someone:
I ran into this error and the cause was wrong permission on the log folder for phpfpm, after changing it so phpfpm could write to it, everything was fine.

answered Jan 3, 2019 at 1:08

Maurício Otta's user avatar

From our side it was using spdy with proxy cache. When the cache expires we get this error till the cache has been updated.

answered Jun 18, 2014 at 21:26

timhaak's user avatar

timhaaktimhaak

2,4032 gold badges13 silver badges7 bronze badges

For proxy_upstream timeout, I tried the above setting but these didn’t work.

Setting resolver_timeout worked for me, knowing it was taking 30s to produce the upstream timeout message. E.g. me.atwibble.com could not be resolved (110: Operation timed out).

http://nginx.org/en/docs/http/ngx_http_core_module.html#resolver_timeout

Eje's user avatar

Eje

3544 silver badges8 bronze badges

answered Nov 25, 2019 at 13:44

David Mercer's user avatar

we faced issue while saving content (customt content type) giving timeout error. Fixed this by adding all above timeouts, http client config to 600s and increasing memory for php process to 3gb.

answered Dec 10, 2021 at 5:44

Jagdish Bhadra's user avatar

1

I test proxy_read_timeout 100s and find timeout 100s in access log,set 210s appeared,so you can set 600s or long with your web.
proxy_read_timeout
accesslog

answered Mar 10 at 5:17

Cooperd's user avatar

If you are using wsl2 on windows 10, check your version by this command:

wsl -l -v

you should see 2 under the version.
if you don’t, you need to install wsl_update_x64.

Dijkgraaf's user avatar

Dijkgraaf

10.9k17 gold badges39 silver badges53 bronze badges

answered Jan 22, 2022 at 6:25

salman's user avatar

new add a line config to location or nginx.conf, for example:
proxy_read_timeout 900s;

answered Mar 19, 2021 at 10:57

leiting.liu's user avatar

1

Периодически появляются ошибки «upstream timed out (110: Connection timed out) while connecting to upstream», особенно когда какой нибудь бот индексирует страницы. Понятно, что это означает, что сервер вовремя не вернул результат. Но сами страницы отдаются очень быстро, на них нету slow queries, да и сервер особо не нагружен. Что ещё может вызывать такие ошибки? Куда можно копать?


  • Вопрос задан

    более трёх лет назад

  • 5189 просмотров

Пригласить эксперта

Варианты:
1) на бекенде к которому обращается nginx кончаются коннекты
2) На сервере кончаются дескрипторы

Как обычно информации мало, в проблеме так не разобраться.

Как правило ошибка лечится увеличением
proxy_read_timeout 300s;
еще посмотрите вот эти директивы:
proxy_connect_timeout 300s;
proxy_send_timeout 300s;
Они все по дефолту 60 сек
+ если у вас php-fpm, могут быть
fastcgi_send_timeout
fastcgi_read_timeout
Смотрите всё, тестируйте, проверяйте


  • Показать ещё
    Загружается…

Сбер

Нижний Новгород

от 170 500 ₽

05 июн. 2023, в 12:46

5000 руб./за проект

05 июн. 2023, в 12:40

40000 руб./за проект

05 июн. 2023, в 12:34

10000 руб./за проект

Минуточку внимания

Исправление ошибки “Upstream timed out (110: Connection timed out)”, из-за долгого ответа сервера.

[error] upstream timed out (110: Connection timed out) while reading response header from upstream, 
client: xxx.xxx.xxx.xxx, server: mydomain.com, request: "GET / HTTP/1.1", upstream: "http://127.0.0.1:8080", host: "mydomain.com", referrer: "requested_url"

Вносим изменения в конфигурационный файл nginx.conf в директиву proxy_read_timeout, а именно — увеличим значение при котором сервер будет ожидать ответа на запрос. По умолчанию 60 секунд, мы выставим — 300 секунд.

server {
listen 80;
server_name mydomain.com;

location / {
...
proxy_read_timeout 300;
...
}
...
}

Это решит возникшую проблему.

Просмотров: 37512
Дата последнего изменения: 02.12.2022

Сложность урока:

2 уровень — несложные понятия и действия, но не расслабляйтесь.

3

4

5

При попытке обновления выдаётся ошибка «Ошибка соединения с сервером обновлений: [110] Connection timed out.»

Ошибка свидетельствует о том, что скрипт обновления не может подключиться к серверу обновлений www.bitrixsoft.com на порт 80. Причины могут быть следующие:

  • недоступны функции работы с сокетами, в частности, fsockopen();
  • на сервере запрещены исходящие соединения к 80 порту;
  • недостаточный объем памяти на сервере (Часто проявляется на VPS с виртуализацией OpenVZ и 256 Мб RAM.);
  • проблема в работе сети.

Вам необходимо обратиться к администратору сервера, предоставив описание ошибки.

Ошибка при обновлении: [SITE_LICENSE_VIOLATION] Превышено количество лицензированых сайтов

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

Для решения проблемы и получения возможности загрузки и установки обновлений, необходимо или зарегистрировать в системе хотя бы один сайт, или активировать существующий из раздела, или деактивировать сайты до количества, разрешенных текущей лицензией:
Рабочий стол > Настройки > Настройки продукта > Сайты > Список сайтов.

Ошибка при обновлении [ERROR_WRONG_CODE]

Система обновлений продукта привязывается к конкретной установке и «запоминает» состояние системы после очередного обновления. Ошибка возникает в том случае, если текущее состояние не соответствует тому, которое было на момент последнего обновления. Этот механизм призван пресечь попытки обновления на одном лицензионном ключе неограниченного количества установок продукта.

Согласно лицензионному соглашению, на каждый лицензионный ключ допускается две установки системы: одна публичная и одна локальная (для разработчика), но недоступная из Интернета. С учетом этого система настроена так, что сохраняет данные о двух установках. При этом, если не переносить копию с локальной машины на сервер и назад — можно обновлять независимо обе копии, проблем не возникнет. Если же вам необходимо переносить продукт на локальную машину, то следует обновлять только одну копию из двух: либо на сервере, либо локальную (зависит от ваших предпочтений).

Аналогичным образом следует поступать при переносе сайта на новый сервер: скопировать структуру файлов и БД на новый сервер, после этого, не обновляя продукт на старом, удалить его сразу после обновления DNS.

Ошибка Class ‘CUpdateExpertMode’ not found

Ошибка на странице обновлений:

Class 'CUpdateExpertMode' not found (0)
/app/www/bitrix/modules/main/admin/update_system.php:50
#0: require_once /app/www/bitrix/admin/update_system.php:2

При этом класс CUpdateExpertMode определен в /bitrix/modules/main/classes/general/update_client.php.

Ситуация связана с влиянием OpCache. Параметр opcache.validate_timestamps (/etc/php.d/opcache.ini) имеет значение 0, должно быть: On.

  • Главная

  • Сниппеты



  • Ошибка соединения с сервером обновлений: [110] Connection timed out.



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

Причина ошибки может быть в работе сокетов, нужно проверить работу сайта на странице Настройки > Инструменты > Проверка системы.

Если ошибки нет, то проблема может быть внешняя.
Проверяем, какой сервер обновлений указан в Настройки > Настройки продукта > Настройки модулей — Главный модуль — Система обновлений — поле Имя сервера, содержащего обновления:
Если он равен www.bitrixsoft.com, то меняем его на www.1c-bitrix.ru и попробуйте повторить обновление.

Теги: Connection timed out, Ошибка


Понравилась статья? Поделить с друзьями:
  • Ошибка 110 14 opel astra h
  • Ошибка 11 устройство не включено
  • Ошибка 11 триколор тв что случилось
  • Ошибка 11 триколор тв что делать услуга оплачена
  • Ошибка 11 при распаковке sniper elite 4