Главная » Основные форумы » Система QUIK
Страницы:
1
Oleg
Сообщений: 9 |
#1 26.01.2018 08:59:06 Здравствуйте. При запуске программы Quik отображается сообщение об отсутствии связи с сервером , следующего характера |
Anastasia Gordienko
|
#2 29.01.2018 05:45:36
Здравствуйте. |
||
Oleg
Сообщений: 9 |
#3 11.02.2018 21:27:08 [/IMG]Добрый вечер. Продолжу отнимать ваше драгоценное время по настройке Quik. Брокер внятных объяснений не дал по устранению данной проблемы. Единственный совет переустановить программу, что я и сделал. Результат тот же. Хочу приложить фото информационное |
Oleg
Сообщений: 9 |
#4 11.02.2018 21:31:10 |
Oleg
Сообщений: 9 |
#5 11.02.2018 21:32:31 error |
Zoya Skvorcova
Сообщений: 1516 |
#6 12.02.2018 08:05:58 Oleg, Добрый день. |
Oleg
Сообщений: 9 |
#7 12.02.2018 17:43:18 отчет |
Zoya Skvorcova
Сообщений: 1516 |
#8 13.02.2018 06:46:28 Oleg, добрый день. |
Oleg
Сообщений: 9 |
#9 13.02.2018 19:45:17 Добрый вечер. Все понятно. Произвел некоторые корректировки. Вот что получилось. Хотелось бы услышать дальнейший ход действий. Спасибо вам большое за содействие. |
Oleg
Сообщений: 9 |
#10 13.02.2018 19:47:50
А конкретно суть проблемы. С чем связано? Скорость интернета не позволяет соединиться без потерь? или дела у брокера? |
||
Zoya Skvorcova
Сообщений: 1516 |
#11 14.02.2018 08:46:04 Oleg, Причин может быть несколько-Это может быть роутер, или антивирус или файервол. |
Oleg
Сообщений: 9 |
#12 15.02.2018 17:06:35 Zoya Skvorcova, Добрый вечер. И снова здравствуйте. Уважаемая Зоя, во избежании потерь пакетов , заменил маршрутизатор. К сожалению проблемы остались. Хотелось бы узнать ваш вердикт, либо какую никакую моральную поддержку. Протокол предоставляю. |
Oleg
Сообщений: 9 |
#13 15.02.2018 18:49:49 Еще один момент. В руководстве нашел информацию по установке сертификатов (Работа с крипто-провайдерами), но самого сертификата нет, может это как то связано? И где искать сертификат? |
Zoya Skvorcova
Сообщений: 1516 |
#14 16.02.2018 12:40:37 Oleg,добрый день. |
Сомов Илья
Сообщений: 10 |
#15 13.03.2019 20:10:02 Здравствуйте, аналогичная проблема при подключении. Брокер сбербанк. В чем проблема в итоге? |
Сомов Илья
Сообщений: 10 |
#16 13.03.2019 20:24:26 Антивирус, фаервол отключены |
Zoya Skvorcova
Сообщений: 1516 |
#17 14.03.2019 06:59:10 Сомов Илья, добрый день. |
Cosmo
Сообщений: 2 |
#18 28.03.2019 23:17:04 Crypto error: Connection was closed by peer: Can’t get message size from net |
Страницы:
1
Читают тему (гостей: 1)
I solved my problem — I needed to use a certificate with 10.0.2.2 as the common name (CN) so it matched Android localhost ip address of 10.0.2.2 instead of ‘localhost’ or ‘127.0.0.1’.
Edit: you could probably create a certificate with localhost as the CN and ‘127.0.0.1’ and ‘10.0.2.2’ as Subject Alternative Names (SAN).
Once I created 10.0.2.2 cert and private key pem files, I was able to hit my server running with the following command:
openssl s_server -accept 8888 -cert 10.0.2.2-cert.pem -key 10.0.2.2-key.pem -state -www
If you want to force the client to provide a certificate (though it won’t be checked), add the flag -Verify 1
to the command above.
To test the server at the command line you can use the following (note openssl is able to connect via 127.0.0.1):
openssl s_client -connect 127.0.0.1:8888
And to add a client cert if the server requires it, add the flags -cert client-cert.pem -key client-key.pem
In my Android client I used the following code to connect (error checking removed):
// use local trust store (CA)
TrustManagerFactory tmf;
KeyStore trustedStore = null;
InputStream in = context.getResources().openRawResource(R.raw.mycatruststore); // BKS in res/raw
trustedStore = KeyStore.getInstance("BKS");
trustedStore.load(in, "insertBksPasswordHere".toCharArray());
tmf = TrustManagerFactory.getInstance("X509");
tmf.init(trustedStore);
// load client certificate
KeyStore clientKeyStore = loadClientKeyStore(getApplicationContext());
KeyManagerFactory kmf = KeyManagerFactory.getInstance("X509");
kmf.init(clientKeyStore, "insertPasswordHere".toCharArray());
SSLContext context = SSLContext.getInstance("TLS");
// provide client cert - if server requires client cert this will pass
context.init(kmf.getKeyManagers(), tmf.getTrustManagers(), null);
HostnameVerifier hostnameVerifier = org.apache.http.conn.ssl.SSLSocketFactory.STRICT_HOSTNAME_VERIFIER;
// connect to url
URL u = new URL("https://10.0.2.2:8888/");
HttpsURLConnection urlConnection = (HttpsURLConnection) u.openConnection();
urlConnection.setSSLSocketFactory(context.getSocketFactory());
urlConnection.setHostnameVerifier(hostnameVerifier);
urlConnection.connect();
System.out.println("Response Code: " + urlConnection.getResponseCode());
You should get a response code of 200, and can dissect the response from there.
Here’s the code to load the client credentials, which is identical to loading the server key store but with a different resource filename and password:
private KeyStore loadClientKeyStore(Context context) {
InputStream in = context.getResources().openRawResource(R.yourKeyStoreFile);
KeyStore trusted = null;
trusted = KeyStore.getInstance("BKS");
trusted.load(in, "yourClientPassword".toCharArray());
in.close();
return trusted;
}
ВНИМАНИЕ! КОММЕНТАРИИ ПЕРВОГО УРОВНЯ В ВОПРОСАХ УПОРЯДОЧИВАЮТСЯ ПО ЧИСЛУ ПЛЮСИКОВ, А НЕ ПО ВРЕМЕНИ ПУБЛИКАЦИИ.
Ага. Бывает. Жутко бесит!
До 8.3. тоже бывало. И вот вчера сегодян уже на 8.3.
Обычно само проходит. Т.е. проблемы на той стороне…
Техподдержка рекомендовала запустить квик под администратором. В тот раз помогло. Сегодня не помогало, пока не починили….
- 09 июня 2020, 12:30
-
Ответить
Андрей Хрущев, у техподдержки всего 2 опции: — запуск под админом, — чистка кэша!
Ну еще бонусом могут поинтересоваться типа какая у вас там винда стоит?! Полтора часа дозвона до техподдержки для того чтобы вот это… услышать?!
- 09 июня 2020, 17:19
-
Ответить
8.5.2.11 версия уже есть. Может попробовать?
- 09 июня 2020, 13:05
-
Ответить
На 8.3.1.38 уже давно, но проблема с «Connection was… size from net» началась только 8-го в понедельник, примерно в 10:30, и сегодня с утра опять было.
Похоже какое-то обновление тестируют.
- 09 июня 2020, 15:14
-
Ответить
Rymys, да, верно. Еще заметил стали данные в окнах намного медленнее подгружаться.
- 09 июня 2020, 17:22
-
Ответить
а у вас в папке квика нет такой дичи как диагностика соединения?
- 09 июня 2020, 16:30
-
Ответить
- 09 июня 2020, 17:21
-
Ответить
Кто у Вас брокер? Попробуйте версию 8.6, возможно поможет.
- 09 июня 2020, 18:46
-
Ответить
Только зарегистрированные и авторизованные пользователи могут оставлять ответы.
Залогиниться
Зарегистрироваться
Главная » Основные форумы » Система QUIK
Страницы:
1
Oleg
Сообщений: 9 |
Здравствуйте. При запуске программы Quik отображается сообщение об отсутствии связи с сервером , следующего характера |
Anastasia Gordienko
|
#2 29.01.2018 05:45:36
Здравствуйте. |
||
Oleg
Сообщений: 9 |
[/IMG]Добрый вечер. Продолжу отнимать ваше драгоценное время по настройке Quik. Брокер внятных объяснений не дал по устранению данной проблемы. Единственный совет переустановить программу, что я и сделал. Результат тот же. Хочу приложить фото информационное |
Oleg
Сообщений: 9 |
|
Oleg
Сообщений: 9 |
|
Zoya Skvorcova
Сообщений: 1516 |
Oleg, Добрый день. |
Oleg
Сообщений: 9 |
|
Zoya Skvorcova
Сообщений: 1516 |
Oleg, добрый день. |
Oleg
Сообщений: 9 |
Добрый вечер. Все понятно. Произвел некоторые корректировки. Вот что получилось. Хотелось бы услышать дальнейший ход действий. Спасибо вам большое за содействие. |
Oleg
Сообщений: 9 |
#10 13.02.2018 19:47:50
А конкретно суть проблемы. С чем связано? Скорость интернета не позволяет соединиться без потерь? или дела у брокера? |
||
Zoya Skvorcova
Сообщений: 1516 |
Oleg, Причин может быть несколько-Это может быть роутер, или антивирус или файервол. |
Oleg
Сообщений: 9 |
Zoya Skvorcova, Добрый вечер. И снова здравствуйте. Уважаемая Зоя, во избежании потерь пакетов , заменил маршрутизатор. К сожалению проблемы остались. Хотелось бы узнать ваш вердикт, либо какую никакую моральную поддержку. Протокол предоставляю. |
Oleg
Сообщений: 9 |
Еще один момент. В руководстве нашел информацию по установке сертификатов (Работа с крипто-провайдерами), но самого сертификата нет, может это как то связано? И где искать сертификат? |
Zoya Skvorcova
Сообщений: 1516 |
Oleg,добрый день. |
Сомов Илья
Сообщений: 10 |
Здравствуйте, аналогичная проблема при подключении. Брокер сбербанк. В чем проблема в итоге? |
Сомов Илья
Сообщений: 10 |
Антивирус, фаервол отключены |
Zoya Skvorcova
Сообщений: 1516 |
Сомов Илья, добрый день. |
Cosmo
Сообщений: 2 |
#18 28.03.2019 23:17:04 Crypto error: Connection was closed by peer: Can’t get message size from net |
Страницы:
1
Читают тему (гостей: 1)
33 комментария
все нормально… идет паник селл рубля.
- 10 ноября 2016, 17:38
- Ответить
Это такой новый маркетинговый вход — на привлечение клиентов?
- 10 ноября 2016, 17:39
- Ответить
У меня тоже завис, как раз на сделке. Брокер Сбербанк.
- 10 ноября 2016, 17:39
- Ответить
- 10 ноября 2016, 17:39
- Ответить
Первым его в рейтинг брокеров!!! Даёшь!!!
- 10 ноября 2016, 17:40
- Ответить
«Net error: Удаленный хост принудительно разорвал существующее подключение.»
- 10 ноября 2016, 17:40
- Ответить
Технари херовы — так и не разобрались до сих пор с платформой…
- 10 ноября 2016, 17:41
- Ответить
Новая фишка!!! «Crypto error: Соединение установить не удалось. Возможно, Вы используете ключи, которые не зарегистрированы на сервере. Сообщение об ошибке: „Connection was closed by peer: Can’t get message size from net“
- 10 ноября 2016, 17:43
- Ответить
- 10 ноября 2016, 17:43
- Ответить
Ока-Волга, ИТинвест тоже как часы… накупил путов 64… вот бы зашли, я бы телек новый купил бы.
- 10 ноября 2016, 17:49
- Ответить
А «Открытие» — работает как часы!!!
- 10 ноября 2016, 17:44
- Ответить
silver dream, У меня тоже в «Открытии» счет, а мужа — в КИТе. КИТ вчера вечером не просто вис… Заявки не выставлялись, график цены отображался с опозданием в 10 минут! Хорошо рядом был открыт мой терминал и можно было хотя бы за движухой по его позиции следить!
- 10 ноября 2016, 18:18
- Ответить
Екатерина Буркова, КИТ на раздувает так щёки как Сбер!!! Косячишь — так будь любезен — сиди спокойно в стороне и работай над своими косяками!!!
- 10 ноября 2016, 18:30
- Ответить
silver dream, ой, про «сиди спокойно и работай над косяками»это явно не про сбер… (((
- 10 ноября 2016, 19:52
- Ответить
Екатерина Буркова, факты — вещь упрямая, как известно…
- 10 ноября 2016, 21:29
- Ответить
Греф научил зарабатывать на клиентах?
- 10 ноября 2016, 17:45
- Ответить
Пишет «соединение установлено», но quik висит.
- 10 ноября 2016, 17:46
- Ответить
Я вот в лонге нефти по самые уши. А сделать ничего не могу. А может и не надо. По нефти отскок не хилый начинается.
- 10 ноября 2016, 17:48
- Ответить
- 10 ноября 2016, 17:48
- Ответить
Совпадение??? Не думаю! ) Вот анализ того что происходило во время первого сегодня утреннего сбоя, и между прочим сбер рубят соединение на узловых локальных минимумах и перед началом движухи, во время разрыва на другом брокере видны удары по рынку продавца. Так что думайте. Вопрос кто-нибудь на сбере брокере торгует в плюс? ) ВЫ думаете ваш отрицательный результат на сбере тоже совпадение? )) неа ) сбер — это ДИЛЕР!!! А не просто брокер и по любому играет против вас!
- 10 ноября 2016, 18:00
- Ответить
как они з… ли, раз 5 отключался на самых ответственных моментах, я зол выбил меня из калии.
- 10 ноября 2016, 18:06
- Ответить
это полная Ж, что за кухня сбер???
- 10 ноября 2016, 18:12
- Ответить
- 10 ноября 2016, 18:15
- Ответить
в КитФинансе ни разу ничего не висло и не обрывалось. При чём не припоминаю этого и ранее в подобные дни.
- 10 ноября 2016, 18:17
- Ответить
Да, у нас «заработало», вопрос сейчас в другом — Кто и сколько заработал из сотрудников Сбера? (Неплохая добавка к зарплате… или Греф на весь коллектив «чаевые» делит?)
- 10 ноября 2016, 18:18
- Ответить
не ожидал от сбера, не первый случай уже
- 10 ноября 2016, 18:19
- Ответить
так один из основный скупщиков бакса это сбер, «Бакс забивает канал»)))
- 10 ноября 2016, 18:21
- Ответить
О! Вспомнил вдруг… Эти знаменитые слова: «Девальвации точно не будет!» Навеяло….
- 10 ноября 2016, 19:05
- Ответить
Я баки опустошил… теперь откупаться надо…
- 10 ноября 2016, 19:08
- Ответить
10000 программистов уже решают ваши проблемы
- 10 ноября 2016, 19:20
- Ответить
maxgold, из курса психологии знаю, что большинство программистов — «процессники» (важнее процесс, чем результат).
Надо не решАть, а решИть!!!!
- 10 ноября 2016, 19:29
- Ответить
«10000 программистов уже решают ваши проблемы» -родом из Таджикистана..)
- 10 ноября 2016, 19:29
- Ответить
имеют вас как хотят на росс фонде))
- 10 ноября 2016, 20:37
- Ответить
-
Форум
-
Технические форумы
-
Программное обеспечение
-
Автор темы
Maria
-
Дата начала
02.03.2020
-
-
Теги
-
quik
-
-
#1
Здравствуйте! При попытке зайти в торговый терминал квик получаю ошибку Can’t get message size from net
Соединение установить не удалось. Возможно, Вы используете ключи, которые не зарегистрированы на сервере. Сообщение об ошибке: «Connection was closed by peer: Can’t get message size from net»
-
Форум
-
Технические форумы
-
Программное обеспечение
-
На данном сайте используются cookie-файлы, чтобы персонализировать контент и сохранить Ваш вход в систему, если Вы зарегистрируетесь.
Продолжая использовать этот сайт, Вы соглашаетесь на использование наших cookie-файлов.
Всем привет, подскажите как посмотреть запись занятия 2 часть первая?
Сергейнаписал19 апреля 2018 в 20:21
Всем привет, подскажите как посмотреть запись занятия 2 часть первая?
листать стрелками и выбирать
Сергейнаписал19 апреля 2018 в 20:21
Всем привет, подскажите как посмотреть запись занятия 2 часть первая?
Жмите вверху на стрелочку Академия FORTS 2 . Где написано какое следующее занятие, справа > Жмите на нее. Выпадут все пройденные уроки.
Здравствуйте.
Подскажите, пожалуйста, при входе в QUIK, после введения логина и пароля( я правильно понимаю: это то, что вводим при загрузке ключей?) у меня выдает сообщение
Crypto error: Connection was closed by peer: Can’t get message size from net (Crypto error: соединение было закрыто одноранговым узлом: невозможно получить размер сообщения из сети).
Чтобы это значило, может быть я что то неправильно установила?
спустя 7 минутИзвините Сергей, читала сообщения и вместо ссылки на QUIK, написала в вашей ветке.
Людмиланаписала23 апреля 2018 в 12:59
Здравствуйте.
Подскажите, пожалуйста, при входе в QUIK, после введения логина и пароля( я правильно понимаю: это то, что вводим при загрузке ключей?) у меня выдает сообщение
Crypto error: Connection was closed by peer: Can’t get message size from net (Crypto error: соединение было закрыто одноранговым узлом: невозможно получить размер сообщения из сети).
Чтобы это значило, может быть я что то неправильно установила?спустя 7 минутИзвините Сергей, читала сообщения и вместо ссылки на QUIK, написала в вашей
Здравствуйте, Людмила! После загрузки ключей их надо сохранить, к примеру на рабочем столе в папке. Потом их надо активировать, как показывал Дмитрий—система—настройки—основные—возле «программы» нажать на крестик—шифрование—справа в настройке по умолчанию нажать на серый квадрат—и выбрать на рабочем столе сначала ключи -pubring- а потом -sekring- Только после этого будет доступен вход на торги ,куда входишь со своим логином и паролем.
спустя 1 минутуЕсли будет сложно разобраться -пишите, свяжемся в скайпе.
ДЗ реальная сделка инструмент СИ-6,18 ТФ 5 мин
Дмитрий, а как определятся диапазон на разных ТФ ?
Сергейнаписал6 мая 2018 в 20:41
Дмитрий, а как определятся диапазон на разных ТФ ?
Об этом позже расскажу.
сделка на SBRF6-18 от 8,05 в 17,00
-
#201
Re: Бета-версия «ФПСУ-IP/Клиент» 4.7.30 поддержка Win10
bija089 написал(а):
Я хочу скачать виндус 10, амикон будит работать или надо обновить файл
Для Win10 потребуется версия клиента не ниже 4.7.30.
Последнее редактирование модератором: 4 Окт 2017
-
#202
Re: Бета-версия «ФПСУ-IP/Клиент» 4.7.30 поддержка Win10
Выдаёт во время установки (Windows 10 x64) такое сообщение, на вкладке совместимости при этом всё отключено. Продолжать установку или можно как-то исправить?
-
ndis.jpg
31.8 KB · Просмотры: 7
-
#203
Re: Бета-версия «ФПСУ-IP/Клиент» 4.7.31 поддержка Win10
Здравствуйте.
При попытке установки версии клиента 4_7_31 для Windows установка не проходит до конца, выдается сообщение «Ошибка установки драйвера».
На ноутбуке с windows 7 у меня все прекрасно работает. Сменил ноутбук на другой с windows 10, выдается эта ошибка.
Пожалуйста, помогите решить проблему.
-
#204
Re: Бета-версия «ФПСУ-IP/Клиент» 4.7.31 поддержка Win10
Скорее всего ваша проблема не имеет отношения к win10. Чаще всего подобная ошибка связана с антивирусным ПО. Подробности решения этой проблемы вы найдете здесь: http://www.amicon.ru/forum/viewtopic.php?f=3&t=1880
Последнее редактирование модератором: 4 Окт 2017
-
#205
Проблема такая, Имеется три машины с ОС XP SP3, Win 7 Sp1 x32, Win 10 x64(все три с последними возможными обновлениями). Устанавливал версию 4.7 на xp и 7-ку…Микро код не обновляется(хотя выходит сообщение что он обновлен). В Win 7 не ставятся дрова на смарт-карту, и постоянно просит форматировать ключ. Установил версию 4.7.32 на Win 10. История повторяется(микро код не обновляется, просит форматировать, в ДУ неизвестная смарт-карта). Что делать и где копать?
-
#206
Stagerit написал(а):
Микро код не обновляется(хотя выходит сообщение что он обновлен).
Укажите, какую версию микрокода вы пытаетесь установить на ключ, и какая версия в нем сейчас?
для использования в Win7 х32 вам нужно вручную установить следующий драйвер https://amicon.ru/download/20007696.cab
для использования в Win10 х64 вам нужно вручную установить следующий драйвер https://amicon.ru/download/20007695.cab
Предложение форматирования диска относится не непосредственно к VPN-ключу, но к области памяти, которая так же присутствует на устройстве, подробнее об области памяти в ключе вы можете прочесть в разделе FAQ (https://amicon.ru/faq.php#cli12)
Последнее редактирование модератором: 4 Окт 2017
-
#207
Anton Bystrov написал(а):
Stagerit написал(а):
Микро код не обновляется(хотя выходит сообщение что он обновлен).
Укажите, какую версию микрокода вы пытаетесь установить на ключ, и какая версия в нем сейчас?
для использования в Win7 х32 вам нужно вручную установить следующий драйвер https://amicon.ru/download/20007696.cab
для использования в Win10 х64 вам нужно вручную установить следующий драйвер https://amicon.ru/download/20007695.cab
Предложение форматирования диска относится не непосредственно к VPN-ключу, но к области памяти, которая так же присутствует на устройстве, подробнее об области памяти в ключе вы можете прочесть в разделе FAQ (https://amicon.ru/faq.php#cli12)
Спасибо вашей тех.поддержке! Проблему с микрокодом решил, (робот присылал не правильное обновление микрокода). Драйвера для смарт карты установил вручную, все работает. Диск отформатировал с помощью пин-кода администратора(тоже спасибо тех.поддержке). Теперь вопрос: раз это бета-версия для Вин 10, нельзя ли сделать так, чтобы драйвера цеплялись автоматом при установке или написать в F.A.Q.е инструкцию именно для смарт-карт(Вин7 и Вин 10) как и что ставить(не только VPN-key как сейчас).
Последнее редактирование модератором: 4 Окт 2017
-
#208
Пожалуйста подскажите: после установки Win10 не устанавливается на постоянной основе значек — «ФПСУ-IP/Клиент» на нижней панели. При включении компьютера значек отсутствует. Что бы запустить «ФПСУ-IP/Клиент» приходится заново скачивать с сайта бетта версию. Только тогда появляется указанный значек и выходит табличка с запросом пин. кода. Эту процедуру приходится повторять при каждом включении компа. Заранее благодарю за ответ.
-
#209
Возможно у вас в настройках системы установлено «Скрывать неиспользуемые значки».
-
#210
Добрый день!
Поставил драйвер 4.7.32, подключил фпсу клиент, запустил квик, ввел код ключа (который на флешке) выдает сообщение «Crypto error: Соединение установить не удалось. Возможно, Вы используете ключи, которые не зарегистрированы на сервере. Сообщение об ошибке: «Connection was closed by peer: Can’t get message size from net»
Как это решается?
При попытке открыть флешку с ключом компьютер предлагает ее сначала отформатировать
-
#211
<r>Добрый день.
Во-первых убедитесь, что фпсу-клиент устанавливает соединение, то есть что вам есть куда подключаться и защищенный канал связи вам обеспечен.
После этого в настройках ключа в разделе «дополнительно» посмотрите версию КА и свяжитесь с банком, чтобы проверить корректность версии КА и сам факт того, что по вашему ключу вам обеспечен доступ.
Так же проверьте, актуальна ли ваша версия микрокода (там же в разделе «дополнительно»), и при необходимости обновите микрокод (<URL url=»https://amicon.ru/pre_update_firmware.php»>https://amicon.ru/pre_update_firmware.php</URL>)</r>
-
#212
Добрый день. Прошу помощи, на планшет с виндовс 10 установил драйвер амикон фпсу и на сайте сбера скачал квик для работы с КА. квик запускается без проблем, но не могу найти где ярлык для соединения с амикон перед началом работы в квике,как на пс было. Подскажите, пожалуйста, как установить соединение с амикон? Спасибо.
-
#213
Добрый день,
попробуйте отключить планшетный режим ОС. Обратите внимание, что при установке ПО в этом режиме окна, требующие участия пользователя, также не отображаются, т.е. на время инсталляции планшетный режим также желательно выключить.
-
#214
Re: Бета-версия «ФПСУ-IP/Клиент» 4.7.30 поддержка Win10
<r><QUOTE author=»Dmitriy»><s>
Dmitriy написал(а):
</s>Очевидно, закрыт 87-й порт по udp протоколу, по которому работает клиентское ПО.<e>
</e></QUOTE>
Подскажите, как это исправить в Windows 10?</r>
-
#215
Подобные проблемы обычно связаны с настройками сети. Если у вас клиент блокируется именно на вашем компьютере, то разрешите ФПСУ-IP/клиенту работу в брандмауэре, так же внесите его в список исключений в используемых сетевых антивирусах.
В противном случае вам нужно обратиться к администратору сети, в которой находится компьютер, чтобы он открыл работу по необходимому порту.
-
#216
win10
установил все как по инструкции
ключ-флешка проверена на совместимость.
запускаю ip-client
все запускается.
значок в трее появляется.
на w7 правой кнопкой раньше открывалась менюшка — соедениться, выбираю, ввожу пин и все ок.
сейчас ни на что не реагирует.
помогите.
-
#217
Добрый день!
Уточните каким цветом отображается значок ФПСУ-IPКлиента в трее, и какие функии доступны по пкм и доступны ли вообще?
-
#218
Добрый день!
На некоторых ПК С win7 x64, при установки выдает сообщение «Невозможно установить драйвер устройства».
Если продолжить установку на ПК пропадают все сетевые соединения.
Брандмауэр отключен.
Антивирусного ПО нет.
-
#219
Добрый день!
Уточните, какую версию ФПСУ-IP/Клиента устанавливаете?
-
#220
Доверенный платформенный модуль 2.0 в диспетчере задач с воскл. знаком…? Нужен для квика
The “Connection reset by peer” error occurs during a network connection when the other end or server closes the connection without reading the transferred data. The peer will return the data packet you sent while sending the RST (reset) bit and forcefully terminate the connection.
This issue usually happens if you are being blocked by the Firewall on any point in the route. But it can also happen due to other reasons. In this article, we mention different causes for the error along with how you can resolve it in each scenario.
Causes for Connection Reset By Peer
Here are some of the potential reasons for the “Connection reset by peer” error:
- Access blocked by firewall or hosts file.
- Your IP banned on the host server.
- Server settings changed without restarting the daemons.
- Low timeout period for connection.
- Server busy with maximum connections.
- Bugs in the program used to set up the connection.
First, make sure your system is not too busy. If you have high usage of CPU, memory or network, you’ll experience issues while setting up a new connection.
Also, try restarting the session and retry the attempt to make the connection. Then move on to the possible solution we have provided below.
Most of the steps we have mentioned are for a Debian based Linux server. If you have any other system, you can apply similar steps by searching on the internet for the exact process. Some commands also vary between the different Linux systems. So look out for those as well.
Check Logs
First, you need to check the logs or error messages to narrow down the reason for the error.
If you have access to the server, you can check the server-side logs as well.
For example, if you are experiencing this issue while setting up an ssh connection, you need to check the /var/log/auth.log file. To do so,
- Open the Terminal.
- Enter
tail -f /var/log/auth.log
.
It shows the logging information sent by the SSH daemon during the authentication attempts of your remote system.
Check Internet Connectivity and Routing
The next thing you should do is check for internet connectivity issues. You can check if the public or private server has gone down using IP lookup or similar websites.
You can also use use traceroute
or tracert
to trace the route between the two endpoints and check which access point is resetting your connection. The syntax is:
- On Linux:
traceroute [domain/IP]
- On Windows:
tracert [domain/IP]
If the public server or access points are down, you need to wait until they are up again. For issues with the private server, you can contact the system admin or restart it if you have access.
Check for IP Ban
One major reason for this issue while connecting to public servers is your IP being blacklisted by major security service providers. Most public servers ban IP addresses while conforming to these server’s database.
To check whether your IP address is blacklisted,
- Open the MX Toolbox Supertool webpage.
- Set the yellow drop down box to Blacklist Check.
- Enter your IP address on the text box and click Blacklist Check. If you don’t know you IP address, search for “What is my IP” on Google.
- Open the MX Toolbox Supertool webpage.
- Set the yellow drop down box to Blacklist Check.
- Enter your IP address on the text box and click Blacklist Check. If you don’t know you IP address, search for “What is my IP” on Google.
- Open the Terminal
- Enter
sudo iptables -L --line-number
- Check for authentication attempts of your IP address and check if the target accepts or rejects the connection.
- Open the Terminal and enter
sudo nano /etc/fail2ban/jail.conf
- Remove the # symbol in front of
ignoreip =
and add the IP addresses you want on the line. - For instance, the line can be
ignoreip = 10.10.10.8
- Save and exit.
- Contact the server administrator and ask them to restart the service and the daemons in such scenario.
- If you have access to the server, you can do it yourself. First, verify that the services and the daemons are running using systemctl command.
- Restart the relevant daemons. The command you need for this process in a debian-based system is
sudo systemctl restart “daemon name”
- Open the Terminal and enter
sudo nano /etc/hosts.deny
- Search for your local IP or host name on the file.
- If it’s there, comment it out by typing # before the line. You can also remove the line altogether.
- Open the Terminal and enter
sudo nano /etc/hosts.allow
. - Enter your IP address using the syntax is
daemon_list : client_list [: command]
- Save and exit.
- Increase the timeout period.
- Send periodic heartbeat data.
- Open the Terminal and enter
sudo nano /etc/sysctl.conf
- Add the following lines while changing the values (in seconds) per your preference:
net.ipv4.tcp_keepalive_time = 300
net.ipv4.tcp_keepalive_probes = 9
net.ipv4.tcp_keepalive_intvl = 10
- Search for your local IP or host name on the file.
- If it’s there, comment it out by typing # before the line. You can also remove the line altogether.
- Open the Terminal and enter
sudo nano /etc/hosts.allow
. - Enter your IP address using the syntax is
daemon_list : client_list [: command]
- Save and exit.
- Increase the timeout period.
- Send periodic heartbeat data.
- Open the Terminal and enter
sudo nano /etc/sysctl.conf
- Add the following lines while changing the values (in seconds) per your preference:
net.ipv4.tcp_keepalive_time = 300
net.ipv4.tcp_keepalive_probes = 9
net.ipv4.tcp_keepalive_intvl = 10
- Save and exit.
- Enter the command
sysctl --load=/etc/sysctl.conf
- Open Run and enter
regedit
. - Navigate to
ComputerHKEY_LOCAL_MACHINESystemCurrentControlSetServicesTcpipParameters
- Right-click on Parameters
- Add the following DWORD entries along with the respective values (in milliseconds) as you see fit:
- KeepAliveTime – 300000 (in Decimal)
- KeepAliveInterval – 1000
- To add an entry, right-click on Parameter, select New > DWORD (32-bit) Value and enter the name.
- Then, double-click on the entry to change its Value data.
- Open the file using the command
sudo nano /etc/ssh/sshd_config
. - Right-click on Parameters
- Add the following DWORD entries along with the respective values (in milliseconds) as you see fit:
- KeepAliveTime – 300000 (in Decimal)
- KeepAliveInterval – 1000
- To add an entry, right-click on Parameter, select New > DWORD (32-bit) Value and enter the name.
- Then, double-click on the entry to change its Value data.
- Open the file using the command
sudo nano /etc/ssh/sshd_config
. - Look at the options we have provided below and change accordingly. You may also change other options depending on your connection. We recommend checking out the sshd_config documentation for more information.
- After changing these values, save and exit.
- Restart sshd using the command
sudo systemctl restart ssh
- 10: Number of unauthenticated connections the dropping starts
- 30: Probability of dropping after reaching the maximum unauthenticated number
- 100: Maximum number of connections possible before dropping all of them
- Open the Terminal and enter
sudo nano /etc/security/limits.conf
- Add the following lines while changing the value of the limit if you want:
* soft nofile 65535
* hard nofile 65535
- Save and exit. Then, restart the daemons and the session.
- Enter sudo nano
/etc/pam.d/common-session
- Add
required pam_limits.so
- Add this command on
/etc/pam.d/common-session-noninteractive
as well. - If you are using a SSH connection, add the line to
/etc/pam.d/sshd
If the public server or access points are down, you need to wait until they are up again. For issues with the private server, you can contact the system admin or restart it if you have access.
Check for IP Ban
One major reason for this issue while connecting to public servers is your IP being blacklisted by major security service providers. Most public servers ban IP addresses while conforming to these server’s database.
To check whether your IP address is blacklisted,
If your IP is blacklisted on multiple security networks, or important ones like BARRACUDA, BLOCKLIST.DE, Nordspam BL, etc., most servers or security filters will also ban you.
The only thing you can do is talk your ISP and have them contact the server admin to remove the ban.
You can also try changing your IP address using VPN to bypass this issue.
Check Firewall and Network Security Filters
The “Connection reset by peer” error occurs mostly due to Firewalls blocking access to the server.
If you have access to the private server you are trying to connect to, you can check if the firewall is actually blocking access to your IP. To do so on Linux,
You can also check other security filters available on the server. The steps may vary between the respective programs, so check the official website or documentation for the methods.
Then, you need to whitelist your IP address on intrusion prevention apps like Fail2ban, DenyHosts, and so on, to make exceptions to the Firewall rules. The necessary steps to do so on Fail2ban is as follows:
Warning: Practices such as disabling Firewall or making exception for all IPs on the firewall is not recommended. Firewalls and security filters exist to protect your system. So rather than compromising the security, it’s better to search for a workaround.
Restart Services and Daemons
If you encounter this issue on a private network, it is possible that the server admin has changed the rules for the connection without restarting the daemon services. This causes the service daemons to get stuck as it is still want to conform to the previous settings.
For instance, if you are setting up a FTP connection using samba share, you need to use the command sudo systemctl restart smbd
. Since SSH service is available on almost all distros of linux, you don’t have to install any service package for it. So, for SSH connection, the command is sudo systemctl restart ssh
.
And if you are using any other hosting services to set up the connection, you need to restart their daemons as well.
Edit Hosts File
Hosts files allow you to permit or deny access to particular IP addresses or hostnames. If you have access to the server, you should also check these files and make sure your IP address can establish a connection to the server.
To do so for a Debian System,
You can also add your IP address on the hosts.allow
file to force the connection. The process is similar to the above.
The daemon for FTP is usually vsftpd and for ssh, scp, and sftp is sshd. So, to allow ssh connection with local address, 10.10.10.8
, you need to add sshd : 10.10.10.8 , LOCAL
It is also possible to edit the hosts file on Windows based server. You can refer to out article on editing hosts file on Windows for more to learn the necessary process.
Increase Timeout or Send Keepalive Packets
Many networking tools drop idle TCP and FTP connections after a certain period of inactivity.
There are two ways to prevent this issue:
The first option is not a good solution. Keeping the timeout long can affect the server’s connections to other networks as they have to wait longer before attempting to set up a connection. You also need to increase the timeout on both ends, which is not always possible.
So, the better solution is to send regular heartbeat or keepalive packets. This prevents the connection from being idle and keeps the session alive for longer period.
Some connections allow sending keepalive packets but you have to enable this process for others. Here’s how you can enable the process of sending such packets:
On Linux
You can also add your IP address on the hosts.allow
file to force the connection. The process is similar to the above.
The daemon for FTP is usually vsftpd and for ssh, scp, and sftp is sshd. So, to allow ssh connection with local address, 10.10.10.8
, you need to add sshd : 10.10.10.8 , LOCAL
It is also possible to edit the hosts file on Windows based server. You can refer to out article on editing hosts file on Windows for more to learn the necessary process.
Increase Timeout or Send Keepalive Packets
Many networking tools drop idle TCP and FTP connections after a certain period of inactivity.
There are two ways to prevent this issue:
The first option is not a good solution. Keeping the timeout long can affect the server’s connections to other networks as they have to wait longer before attempting to set up a connection. You also need to increase the timeout on both ends, which is not always possible.
So, the better solution is to send regular heartbeat or keepalive packets. This prevents the connection from being idle and keeps the session alive for longer period.
Some connections allow sending keepalive packets but you have to enable this process for others. Here’s how you can enable the process of sending such packets:
On Linux
The above lines specify that the system waits for 300 seconds before sending the first keepalive packet. Then, it keeps sending the packet every 10 seconds. If it doesn’t receive ACK (acknowledgement) signal for 9 successive times, the connection is dropped.
Increasing the Keepalive period for SSH connections might compromise security as it remains open for a longer time. This connection is supposed to be very secure, so it’s not recommended to make any changes to the keepalive settings for ssh.
On Windows
Note: You must also enable TCP keepalive packets in your TCP/FTP client.
Check sshd_config File
The sshd_config file configures all settings an SSH (Secure Shell) connection uses. So, if possible, you need to check this file on the server and make sure everything is alright.
Note: You must also enable TCP keepalive packets in your TCP/FTP client.
Check sshd_config File
The sshd_config file configures all settings an SSH (Secure Shell) connection uses. So, if possible, you need to check this file on the server and make sure everything is alright.
Some of the options are:
MaxStartups
The MaxStartups value determines the maximum number of possible unauthenticated connections to the SSH daemon before the connections start dropping.
It has the format MaxStartups 10:30:100
, where,
If your remote client needs to make more number of connections concurrently, you need to change these values.
Subsystem sftp
On a secure FTP connection using openssh package, the default value of Subsystem sftp is set to /usr/lib/openssh/sftp-server
. However, sometimes, the openssh binary is available at /usr/lib/ssh/sftp-server
instead. So you can alter this value and check if it works. If it doesn’t, revert it to the previous path.
ClientAlive
ClientAlive is a more secure keepalive setting. You can change the ClientAliveInterval and ClientAliveCountMax values in sshd_config to enable this setting.
ClientAliveInterval determines the interval of inactivity after which sshd sends an encrypted message to the client. And ClientAliveCountMax determines the max number of times sshd sends this message before dropping the connection if it doesn’t get any response.
Check Support for SSL
If the host server has enabled SSL (Secure Sockets Layer) but you haven’t enabled this service on your end, you can’t establish a connection.
So, you need to check the support for SSL on your TCP or any other network client and enable it. If it doesn’t support SSL, you need to use another client.
You also need to check your certificates and make sure you don’t have any malformed keys or certificates.
Change Open Connection Limit
Establishing a network connection also creates a socket, which is the logical window the client uses to communicate with the server. However, a server has a limit on how many sockets it can open at the same time.
If the server has already reached this limit, any new connection causes the server to drop the idle old connections. You can refresh or restart the session to renew the session. However, you can also increase the limit on the server side to facilitate more open connections.
If you want to change the limit for only the current session, you can use the command ulimit -n 65535
, while replacing the number depending on your requirement.
To change it permanently,
For Debian and Ubuntu systems, you need to enable PAM user limits as well. To do so,
Debug Your Scripts and Configurations
Many users have encountered this issue while creating their own connection applications. In such scenario, any bugs in the scripts or configuration that unnecessarily close the connection or don’t conform the connection with the protocol will cause this error.
So, we recommend carefully looking through the program. Some protocols have quit or close commands that makes the host server close the connection.
You also need to close all forked child processes before exiting to prevent zombie processes. The zombie processes stay in the process table even after terminating the child. If there are too many zombie processes, the process table gets full. This way, the system fails to create new processes, disrupting the connection.
If you have trouble debugging your program, we recommend getting help from technical forums such as stackoverflow while providing the source code.