Содержание
- Ошибка JavaScript
- Fix JavaScript errors that are reported in the Console
- Fix JavaScript errors
- Demo page: JavaScript error reported in the Console tool
- Find and debug network issues
- Demo page: Network error reported in Console
- Viewing the resulting page when there are no errors in the Console
- Demo page: Fixed network error reported in Console
- Demo page: Network error reporting in Console and UI
- Create errors and traces in the Console
- Demo page: Creating error reports and assertions in Console
- Demo page: Creating traces in Console
- codehumsafar
- A portal for programming enthusiasts
- failed to load resource: the server responded with a status of 500 (Internal Server Error)
Ошибка JavaScript
13 Nov 2016 в 11:02
13 Nov 2016 в 11:02 #1
The server responded with an error. The error message is in the JavaScript console.
Есть ли у кого-то последняя время такая ошибка?
Если есть, то для дальнейшей диагностики проблемы нам необходима следующая информация: (ПРИШЛИТЕ МНЕ ЕЁ В ЛС)
— IP адрес посетителя, у кого она возникла
— время возникновения (с точностью до 10-15 минут)
— операционная система пользователя (Windows/Linux/Android/IOS) с указанием версии
— браузер пользователя (IE/Chrome/Firefox/другой браузер) c указанием версии
— полный список установленных плагинов и дополнений браузера (если браузер поддерживает их установку)
— информация о том, используется ли режим «ускорения интернет» (OperaTurbo/экономия трафика)
— метод подключения пользователя к сети интернет (проводное соединение/Wi-Fi/мобильная сеть)
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
— сохраняется ли проблема, если зайти в режиме инкогнито ?
— сохраняется ли проблема, если воспользоваться другим имеющимся на системе пользователя браузером ?
— проблема имеет стабильный характер (наблюдается у одного и того-же посетителя с некоторой периодичностью) или случайный характер (наблюдается у разных посетителей в случайные промежутки времени) ?
13 Nov 2016 в 11:26 #2
Ни у кого нет последнее время?
13 Nov 2016 в 11:32 #3
Да есть, я в чате спрашивал у людей. Потом мб ответят
13 Nov 2016 в 11:34 #4
The server responded with an error. The error message is in the JavaScript console.
Есть ли у кого-то последняя время такая ошибка?
Если есть, то для дальнейшей диагностики проблемы нам необходима следующая информация: (ПРИШЛИТЕ МНЕ ЕЁ В ЛС)
— IP адрес посетителя, у кого она возникла
— время возникновения (с точностью до 10-15 минут)
— операционная система пользователя (Windows/Linux/Android/IOS) с указанием версии
— браузер пользователя (IE/Chrome/Firefox/другой браузер) c указанием версии
— полный список установленных плагинов и дополнений браузера (если браузер поддерживает их установку)
— информация о том, используется ли режим «ускорения интернет» (OperaTurbo/экономия трафика)
— метод подключения пользователя к сети интернет (проводное соединение/Wi-Fi/мобильная сеть)
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
— сохраняется ли проблема, если зайти в режиме инкогнито ?
— сохраняется ли проблема, если воспользоваться другим имеющимся на системе пользователя браузером ?
— проблема имеет стабильный характер (наблюдается у одного и того-же посетителя с некоторой периодичностью) или случайный характер (наблюдается у разных посетителей в случайные промежутки времени) ?
С телефона такая фигня, почти каждый раз когда пытаюсь написать что то
Да и с компа часто
Источник
Fix JavaScript errors that are reported in the Console
This article walks you through six demo pages to demonstrate resolving JavaScript errors that are reported in the Console.
Fix JavaScript errors
The first experience you have with the Console is likely to be errors in scripts.
Demo page: JavaScript error reported in the Console tool
Open the demo webpage JavaScript error reported in the Console tool in a new window or tab.
Right-click anywhere in the webpage and then select Inspect. Or, press F12 . DevTools opens next to the webpage.
In the top right of DevTools, the Open Console to view errors button displays an error about the webpage.
Click the Open Console to view errors button on the top right. In DevTools, the Console gives you more information about the error:
Many error messages in the Console have a Search for this message on the Web button, shown as a magnifying glass. This feature was introduced in Microsoft Edge version 94. (For more information, see Search the web for a Console error message string.)
The information in this error message suggests that the error is on line 16 of the error.html file.
Click the error.html:16 link on the right of the error message in the Console. The Sources tool opens and highlights the line of code with the error:
The script tries to get the first h2 element in the document and paint a red border around it. But no h2 element exists, so the script fails.
Find and debug network issues
The Console also reports network errors.
Demo page: Network error reported in Console
Open the demo webpage Network error reported in Console in a new window or tab.
Right-click anywhere in the webpage and then select Inspect. Or, press F12 . DevTools opens next to the webpage.
The table displays loading , but nothing changes on the webpage, because the data is never retrieved. In the Console, the following two errors occurred:
A network error that starts with GET HTTP method followed by a URI.
An Uncaught (in promise) TypeError: data.forEach is not a function error.
Click the link to the webpage and line of code where the error occurs, to open the Sources tool. That is, click the network-error.html:40 link in the Console:
The Sources tool opens. The problematic line of code is highlighted and followed by an error ( x ) button.
Click the error ( x ) button. The message Failed to load resource: the server responded with a status of 404 () appears.
This error informs you that the requested URL isn’t found.
Open the Network tool, as follows: open the Console, and then click the URI that’s associated with the error.
The Console displays an HTTP status code of the error after a resource isn’t loaded:
The Network tool displays more information about the failed request:
Inspect the headers in the Network tool to get more insight:
What was the problem? Two slash characters ( // ) occur in the requested URI after the word repos .
Open the Sources tool and inspect line 26. A trailing slash character ( / ) occurs at the end of the base URI. The Sources tool displays the line of code with the error:
Viewing the resulting page when there are no errors in the Console
Next, we’ll look at the resulting page when there are no errors in the Console.
Demo page: Fixed network error reported in Console
Open the demo webpage Fixed network error reported in Console in a new window or tab.
The example without any errors loads information from GitHub and displays it:
Demo page: Network error reporting in Console and UI
Use defensive coding techniques to avoid the previous user experiences. Make sure your code catches errors and displays each error in the Console, as follows:
Open the demo webpage Network error reporting in Console and UI in a new window or tab.
Right-click anywhere in the webpage and then select Inspect. Or, press F12 . DevTools opens next to the webpage.
The example webpage demonstrates these practices:
Provide a UI to the user to indicate that something went wrong.
In the Console, provide helpful information about the Network error from your code.
The example catches and reports errors:
The following code in the demo catches and reports errors using the handleErrors method, specifically the throw Error line:
Create errors and traces in the Console
Besides the throw Error example in the previous section, you can also create different errors and trace problems in the Console.
Demo page: Creating error reports and assertions in Console
To display two created error messages in the Console:
Open the demo page Creating error reports and assertions in Console in a new window or tab.
Right-click anywhere in the webpage and then select Inspect. Or, press F12 . DevTools opens next to the webpage.
Error messages appear in the Console:
The demo page uses the following code:
There are three functions that request each other in succession:
Each function sends a name argument to the other. In the third() function, you check if the name argument exists and if it doesn’t, you log an error that name isn’t defined. If name is defined, you use the assert() method to check if the name argument is fewer than eight letters long.
You request the first() function three times, with the following parameters:
No argument that triggers the console.error() method in the third() function.
The term Console as a parameter to the first() function doesn’t cause an error because name argument exists and is shorter than eight letters.
The phrase Microsoft Edge Canary as a parameter to first() function causes the console.assert() method to report an error, because the parameter is longer than eight letters.
The demo uses the console.assert() method to create conditional error reports. The following two examples have the same result, but one needs an extra if<> statement:
The second and third lines of the code perform the same test. Because the assertion needs to record a negative result:
- You test for x in the if case.
- You test for x >= 40 for the assertion.
Demo page: Creating traces in Console
If you aren’t sure which function requests another function, use the console.trace() method to track which functions are requested in order to get to the current function.
To display the trace in the Console:
Open the demo page Creating traces in Console in a new window or tab.
Right-click anywhere in the webpage and then select Inspect. Or, press F12 . DevTools opens next to the webpage.
The page uses this code:
The result is a trace to display that here() is named there() and then everywhere() , and in the second example to display that it’s named everywhere() .
Here’s the trace that’s produced, in the Console:
Источник
codehumsafar
A portal for programming enthusiasts
failed to load resource: the server responded with a status of 500 (Internal Server Error)
I was getting 500 (Internal Server Error) when editing and submitting a form. There was drop-down which has not a single value and may be that was required when submit. On submitting, it just throw the “ failed to load resource: the server responded with a status of 500 (Internal Server Error) ” error in the console and kept loading.
I was calling asmx web service in the background.
Use the following steps to know the error reason:
1. Press F12 to open console.
2. Click the ‘Network‘ tab.
3. Do you operation which is causing error.
4. Click the line giving error. (It will be in red)
5. Click Headers.
6. Check the General section to check if there is any error.
General:
7. Once you know that you have error in General section, check the Response Headers section.
Response Headers:
Here json error attribute is true. It means some json error occurred may be during passing parameters. The content-length is the length of the response sent by the server.
8. You can check the error detail in Response tab.
Two main properties to check here are Message and Exception Type (which in my case were):
“Message”:”Unrecognized Guid format.”
“ExceptionType”:”System.FormatException”
Complete error was:
8. From the error, we can see that there is some parse error for parameters.
9. So, next check the parameters in the Request Payload section in the Headers tab.
In my case, there was a parameter reasonId which as set as “” and whose type was Guid in the web service method.
In my case, the value of this parameter was taken from the selected value of a drop-down. But, since, the drop-down did not contain any value, it resulted in error.
Solution:
Added some values in the drop-down and selected one of those values and submitted the form successfully.
Источник
Addsky
Администратор
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
The server responded with an error. The error message is in the JavaScript console.
Есть ли у кого-то последняя время такая ошибка?
Если есть, то для дальнейшей диагностики проблемы нам необходима следующая информация: (ПРИШЛИТЕ МНЕ ЕЁ В ЛС)
— IP адрес посетителя, у кого она возникла
— время возникновения (с точностью до 10-15 минут)
— операционная система пользователя (Windows/Linux/Android/IOS) с указанием версии
— браузер пользователя (IE/Chrome/Firefox/другой браузер) c указанием версии
— полный список установленных плагинов и дополнений браузера (если браузер поддерживает их установку)
— информация о том, используется ли режим «ускорения интернет» (OperaTurbo/экономия трафика)
— метод подключения пользователя к сети интернет (проводное соединение/Wi-Fi/мобильная сеть)
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
— сохраняется ли проблема, если зайти в режиме инкогнито ?
— сохраняется ли проблема, если воспользоваться другим имеющимся на системе пользователя браузером ?
— проблема имеет стабильный характер (наблюдается у одного и того-же посетителя с некоторой периодичностью) или случайный характер (наблюдается у разных посетителей в случайные промежутки времени) ?
Addsky
Администратор
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
Ни у кого нет последнее время?
OoO_franchesko
Пользователь
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
Addsky сказал(а):↑
Ни у кого нет последнее время?
Нажмите, чтобы раскрыть…
Да есть, я в чате спрашивал у людей… Потом мб ответят
HelpMeBrother
Пользователь
Регистрация:
06.06.2016
Сообщения: 1854
Рейтинг: 1815
Регистрация:
06.06.2016
Сообщения: 1854
Рейтинг: 1815
Addsky сказал(а):↑
The server responded with an error. The error message is in the JavaScript console.
Есть ли у кого-то последняя время такая ошибка?
Если есть, то для дальнейшей диагностики проблемы нам необходима следующая информация: (ПРИШЛИТЕ МНЕ ЕЁ В ЛС)
— IP адрес посетителя, у кого она возникла
— время возникновения (с точностью до 10-15 минут)
— операционная система пользователя (Windows/Linux/Android/IOS) с указанием версии
— браузер пользователя (IE/Chrome/Firefox/другой браузер) c указанием версии
— полный список установленных плагинов и дополнений браузера (если браузер поддерживает их установку)
— информация о том, используется ли режим «ускорения интернет» (OperaTurbo/экономия трафика)
— метод подключения пользователя к сети интернет (проводное соединение/Wi-Fi/мобильная сеть)
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
— сохраняется ли проблема, если зайти в режиме инкогнито ?
— сохраняется ли проблема, если воспользоваться другим имеющимся на системе пользователя браузером ?
— проблема имеет стабильный характер (наблюдается у одного и того-же посетителя с некоторой периодичностью) или случайный характер (наблюдается у разных посетителей в случайные промежутки времени) ?Нажмите, чтобы раскрыть…
С телефона такая фигня, почти каждый раз когда пытаюсь написать что то
Да и с компа часто
KannibalizM
Пользователь
Регистрация:
19.10.2014
Сообщения: 12220
Рейтинг: 16017
Регистрация:
19.10.2014
Сообщения: 12220
Рейтинг: 16017
была такая проблема
в инкогнито убералась
OoO_franchesko
Пользователь
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
HelpMeBrother сказал(а):↑
С телефона такая фигня, почти каждый раз когда пытаюсь написать что то
Да и с компа частоНажмите, чтобы раскрыть…
Кстати да, на телефоне она почти постоянно появляется…
rex13
Пользователь
Регистрация:
29.07.2015
Сообщения: 975
Рейтинг: 722
Регистрация:
29.07.2015
Сообщения: 975
Рейтинг: 722
После установки Win 10 привык к ошибкам вообще и в принципе. Но фиксилось опять же перезагрузкой и установлением обновлений. Была такая ошибка на компе, но я не обратил внимание на нее. На планшете работает норм.
Sketney ~
Пользователь
Регистрация:
23.02.2013
Сообщения: 3981
Рейтинг: 8082
Регистрация:
23.02.2013
Сообщения: 3981
Рейтинг: 8082
У меня есть, как снова появится скажу данные (была сегодня уже раза 2-3)
Pyrocynical
Пользователь
Регистрация:
19.09.2013
Сообщения: 5387
Рейтинг: 7759
Регистрация:
19.09.2013
Сообщения: 5387
Рейтинг: 7759
Эта ошибка всплывает очень рандомно, за последние часа 3 была всего один раз. Как всплывёт опять — скину репорт. До этого она была, наверное, дня 4 назад, так что такое
Addsky
Администратор
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
Регистрация:
18.10.2010
Сообщения: 5697
Рейтинг: 5476
Больше по идее не должно быть ошибки
К@ЛыWaHы4
Пользователь
Регистрация:
20.05.2013
Сообщения: 2171
Рейтинг: 3168
Регистрация:
20.05.2013
Сообщения: 2171
Рейтинг: 3168
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
я что на урок информатики попал?
Nope-
Пользователь
Регистрация:
05.11.2012
Сообщения: 2159
Рейтинг: 1826
Регистрация:
05.11.2012
Сообщения: 2159
Рейтинг: 1826
Addsky сказал(а):↑
The server responded with an error. The error message is in the JavaScript console.
Есть ли у кого-то последняя время такая ошибка?
Если есть, то для дальнейшей диагностики проблемы нам необходима следующая информация: (ПРИШЛИТЕ МНЕ ЕЁ В ЛС)
— IP адрес посетителя, у кого она возникла
— время возникновения (с точностью до 10-15 минут)
— операционная система пользователя (Windows/Linux/Android/IOS) с указанием версии
— браузер пользователя (IE/Chrome/Firefox/другой браузер) c указанием версии
— полный список установленных плагинов и дополнений браузера (если браузер поддерживает их установку)
— информация о том, используется ли режим «ускорения интернет» (OperaTurbo/экономия трафика)
— метод подключения пользователя к сети интернет (проводное соединение/Wi-Fi/мобильная сеть)
— метод получения внешнего (белого/реального) IP-адреса клиентом (статический IP/динамический IP)
— сохраняется ли проблема, если зайти в режиме инкогнито ?
— сохраняется ли проблема, если воспользоваться другим имеющимся на системе пользователя браузером ?
— проблема имеет стабильный характер (наблюдается у одного и того-же посетителя с некоторой периодичностью) или случайный характер (наблюдается у разных посетителей в случайные промежутки времени) ?Нажмите, чтобы раскрыть…
бывает преодически, но в 10-15 минут сейчас не смогу описать, напишу как проихойдет
Мягкий Енотик
Пользователь
Регистрация:
24.07.2013
Сообщения: 55482
Рейтинг: 31188
Регистрация:
24.07.2013
Сообщения: 55482
Рейтинг: 31188
Addsky сказал(а):↑
Ни у кого нет последнее время?
Нажмите, чтобы раскрыть…
слишком лень все действия из первого поста делать. на мобильнике была сегодня утром
OoO_franchesko
Пользователь
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
Регистрация:
12.07.2016
Сообщения: 8129
Рейтинг: 13134
Quester
Пользователь
Регистрация:
28.06.2015
Сообщения: 541
Рейтинг: 345
Регистрация:
28.06.2015
Сообщения: 541
Рейтинг: 345
setInterval(()=> console.clear(), 0);
Лови хотфикс и не благодори
S0_HardCore
Пользователь
Регистрация:
01.07.2014
Сообщения: 3464
Рейтинг: 2891
Регистрация:
01.07.2014
Сообщения: 3464
Рейтинг: 2891
Бывает частенько. Просто обновляю страницу и всё норм. Один раз даже при обновлении не помогло — пришлось не отправлять важный (нет) пост.
Win 7.
Yandex.
Free VPN Proxy, расширение_чьё_название_нельзя_называть.
Проводное, роутер.
Динамический IP.Остальное не записывал/тестил.
a-z A-Z 0-9 — _
Пользователь
Регистрация:
22.10.2012
Сообщения: 4954
Рейтинг: 3617
Регистрация:
22.10.2012
Сообщения: 4954
Рейтинг: 3617
Была, но мне бы все равно было лень все это писать :yes:
RzhavyiChel
Пользователь
Регистрация:
12.06.2014
Сообщения: 21225
Рейтинг: 10127
Регистрация:
12.06.2014
Сообщения: 21225
Рейтинг: 10127
Я незнаю какой у меня IP, у меня динамический стоит крч.
На скрине видно, 15:27 по мск.
Win 10 build 1607 (вроде бы)
Firefox Mozilla 50.0.2
Frigate и то-что-нельзя-называть.
Нет, нет ускорителей.
Проводное соединение
Проблема рандомно появляется, и сейчас всё в порядке.
Похоже имеет случайный характер.
Она появилась когда я пытался оповещения проверить
Тема закрыта
-
Заголовок
Ответов Просмотров
Последнее сообщение
-
Сообщений: 3
10 Feb 2023 в 06:09Сообщений:3
Просмотров:15
-
Сообщений: 8
10 Feb 2023 в 05:23Сообщений:8
Просмотров:36
-
Сообщений: 6
10 Feb 2023 в 05:12Сообщений:6
Просмотров:23
-
reze
10 Feb 2023 в 04:26Сообщений: 2
10 Feb 2023 в 04:26Сообщений:2
Просмотров:13
-
Сообщений: 6
10 Feb 2023 в 04:25Сообщений:6
Просмотров:50
-
#2
Здравствуйте. Что в журнале ошибок?
-
#3
Здравствуйте. Что в журнале ошибок?
Ничего
-
#4
Версия PHP какая на форуме?
Какие плагины установлены?
-
#5
Версия PHP какая на форуме?
Какие плагины установлены?
PHP 5.4
Плагины:
All Rich Usernames
Brivium — Multiple Node Create
Hide
Go To Top !
MetaMirror
Post Ratings
s9e Media Pack
Xenplaza — Rename Attachments
[bd] Widget Framework
[RT] Online Status Ribbon
[Tinhte] XenTag
-
#6
Советую отключить все установленные плагины и попробовать создать префикс и там уже будет известно больше…
-
#7
Советую отключить все установленные плагины и попробовать создать префикс и там уже будет известно больше…
Префикс уже создан, я устанавливаю в настройках, чтобы его можно было использовать во всех разделах и при сохранении изменений выдает эту ошибку
-
#8
Ну вот попробуйте тоже самое при отключённых плагинах.
-
#10
Если у Вас Windows и Google Chrome, то на странице с ошибкой нажмите комбаницию Ctrl + Shft + J и покажите, что там в консоли…
-
#11
Последнее редактирование: 1 Июл 2014
-
#12
Тут уже конечно что-то с сервером… Какая панель управления используется у Вас для сервера?
-
#13
Тут уже конечно что-то с сервером… Какая панель управления используется у Вас для сервера?
CPanel
Сначала была ошибка что недостаточно прав admin.php
Я написал хостеру, они сказали после проверить и вот эта ошибка вышла, теперь они говорят спрашивать на форумах об этой cms
-
#14
С цпанелью к сожалению не знаю… Но расширение register_globals должно быть отключено — это точно.
Да и ещё, не знаю, есть ли такое в цпанели, но ISP менеджере нужно установить режим работы PHP как модуль Apache…
-
#15
Эта ошибка появилась только сегодня.
Всё описанное вами выше, так и есть.
-
#16
Ну хостера атакуйте, тут вариантов нет других
-
#17
Я выяснил, что все сохраняется только когда выделяешь мало разделов, а если много или все, то выдает эту ошибку, как можно сохранить префикс во всех разделах?
-
#18
Ну значит вообще не хватает мощности сервера.
-
#19
Вот и у меня такая же ошибка.
Форум на VPSке, мощность нормальная.
В консоли следующее
PHP {«messagesTemplateHtml»:{«#post-641″:»nnn<li id=»post-641″ class=»message » data-author=»microvision»>nntnn<div class=»messageUserInfo» itemscope=»itemscope» itemtype=»http://data-vocabulary.org/Person»>tn<div class=»messageUserBlock «>nnnn<div id=»ts_overlay»>nn</div>nntntt<div class=»avatarHolder»>nttt<span class=»helper»></span>nttt<a href=»members/microvision.428/» class=»avatar Av428m» data-avatarhtml=»true»><img src=»data/avatars/m/0/428.jpg?1423729392″ width=»96″ height=»96″ alt=»microvision» /></a>ntttnttt<!— slot: message_user_info_avatar —>ntt</div>ntnnn<ul class=»ribbon»>nnnn</ul>n<ul class=»ribbon»>nnnn</ul>n<ul class=»ribbon»>nnnn</ul>n<ul class=»ribbon»>nnn<li class=»user-ribbon»>n</li>nnn</ul>n<ul class=»ribbon»>nnnn</ul>nnntntt<h3 class=»userText»>nttt<a href=»members/microvision.428/» class=»username» dir=»auto» itemprop=»name»><span class=»style2″>microvision</span></a>ntttnttt<!— slot: message_user_info_text —>ntt</h3>ntnttntnttnnnt<span class=»arrow»><span></span></span>n</div>n</div>nnt<div class=»messageInfo primaryContent»>nttnttnttnttnttntt<div class=»messageContent»>ttnttt<article>ntttt<blockquote class=»messageText SelectQuoteContainer ugc baseHtml»>ntttttnttttt1. Vibu0435r Vu0412S<br />n<b><span style=»color: #ff0000″>u041eu0442 u043cu043eu0434u0435u0440u0430u0442u043eu0440u0430:</span></b> 1) u0421u043eu043eu0431u0449u0435u043du0438u0435u043c u0432u044bu0448u0435 u0443u0436u0435 u041fu041e u0434u043bu044f u0432u0430u0439u0431u0435u0440u0430 u043bu043eu043cu0430u043bu0438. 2) u0412u0441u0435 u0438u0437u043eu0431u0440u0430u0436u0435u043du0438u044f u0437u0430u0433u0440u0443u0436u0430u044eu0442u0441u044f u043du0430 u043du0430u0448 u0441u0435u0440u0432u0435u0440.nttttt<div class=»messageTextEndMarker»> </div>ntttt</blockquote>nttt</article>ntttntttntt</div>nttnttnttnttnttnttnttnttttntt<div class=»messageMeta ToggleTriggerAnchor»>ntttnttt<div class=»privateControls»>ntttt<input type=»checkbox» name=»posts[]» value=»641″ class=»InlineModCheck item» data-target=»#post-641″ title=»u0412u044bu0434u0435u043bu0438u0442u044c u044du0442u043e u0441u043eu043eu0431u0449u0435u043du0438u0435 u043eu0442 microvision» />ntttt<span class=»item muted»>nttttt<span class=»authorEnd»><a href=»members/microvision.428/» class=»username author» dir=»auto»>microvision</a>,</span>nttttt<a href=»threads/zaprosy-na-vzlom-po.304/#post-641″ title=»u041fu043eu0441u0442u043eu044fu043du043du0430u044f u0441u0441u044bu043bu043au0430″ class=»datePermalink»><abbr class=»DateTime» data-time=»1423729319″ data-diff=»15905″ data-datestring=»12 u0444u0435u0432 2015″ data-timestring=»11:21″>12 u0444u0435u0432 2015 u0432 11:21</abbr></a>ntttt</span>nttttnttttnttttt<a href=»posts/641/edit» class=»item control edit OverlayTrigger»nttttttdata-href=»posts/641/edit-inline» data-overlayOptions=»{"fixed":false}»nttttttdata-messageSelector=»#post-641″><span></span>u0420u0435u0434u0430u043au0442u0438u0440u043eu0432u0430u0442u044c</a>ntttttnttttntttt<a href=»posts/641/history» class=»item control history ToggleTrigger»><span></span>u0418u0441u0442u043eu0440u0438u044f</a>ntttt<a href=»posts/641/delete» class=»item control delete OverlayTrigger»><span></span>u0423u0434u0430u043bu0438u0442u044c</a>ntttt<a href=»spam-cleaner/microvision.428/?ip_id=2779″ class=»item control deleteSpam OverlayTrigger»><span></span>u0421u043fu0430u043c</a>ntttt<a href=»posts/641/ip» class=»item control ip OverlayTrigger»><span></span>IP</a>nttttnttttnttttt<a href=»members/microvision.428/warn?content_type=post&content_id=641″ class=»item control warn»><span></span>u041fu0440u0435u0434u0443u043fu0440u0435u0434u0438u0442u044c</a>nttttnttttnttttnttttnttt</div>ntttnttt<div class=»publicControls»>ntttt<a href=»threads/zaprosy-na-vzlom-po.304/#post-641″ title=»u041fu043eu0441u0442u043eu044fu043du043du0430u044f u0441u0441u044bu043bu043au0430″ class=»item muted postNumber hashPermalink OverlayTrigger» data-href=»posts/641/permalink»>#4</a>nttttnttttnttttt<a href=»posts/641/like» class=»LikeLink item control like» data-container=»#likes-post-641″><span></span><span class=»LikeLabel»>u041cu043du0435 u043du0440u0430u0432u0438u0442u0441u044f</span></a>nttttnttttntttttnttttt<a href=»threads/zaprosy-na-vzlom-po.304/reply?quote=641″nttttttdata-postUrl=»posts/641/quote»nttttttdata-tip=»#MQ-641″nttttttclass=»ReplyQuote item control reply»ntttttttitle=»u041eu0442u0432u0435u0442u0438u0442u044c, u0446u0438u0442u0438u0440u0443u044f u044du0442u043e u0441u043eu043eu0431u0449u0435u043du0438u0435″><span></span>u041eu0442u0432u0435u0442u0438u0442u044c</a><a href=»threads/zaprosy-na-vzlom-po.304/reply?tag=microvision» class=»item control XITag» data-username=»microvision»>u041du0438u043a u0432 u043eu0442u0432u0435u0442</a>nttttnttttnttt</div>ntt</div>ntnttntt<div id=»likes-post-641″></div>nt</div>nntntntntn</li>n»},»css»:{«stylesheets»:[«topicstarter»,»message_user_info»,»bb_code»,»message»],»urlTemplate»:»css.php?css=__sentinel__&style=6&dir=LTR&d=1423743154″},»js»:[«js/xenforo/discussion.js?_v=af59033d»],»_visitor_conversationsUnread»:»0″,»_visitor_alertsUnread»:»0″}
Не подскажите причину?
-
#20
В журнале ошибок в админке ничего нет?
-
Создать жалобу
-
Новые сообщения
-
ПользователиТекущие посетители
Вам необходимо обновить браузер или попробовать использовать другой.
-
Главная -
Форумы
-
Таверна
-
Флудилка
The server responded with an error. The error message is in the JavaScript console.
-
Автор темы
Mgman -
Дата начала
8 Фев 2017
- Статус
- В этой теме нельзя размещать новые ответы.
Mgman
Бог флуда
- Дней с нами
- 2.571
- Розыгрыши
- 1
- Сообщения
- 3.370
- Репутация
+/- -
125
- Реакции
- 3.630
-
8 Фев 2017
-
#1
10 JavaScript errors10
Реакции:
GoodNews и foxovsky
Mgman
Бог флуда
- Дней с нами
- 2.571
- Розыгрыши
- 1
- Сообщения
- 3.370
- Репутация
+/- -
125
- Реакции
- 3.630
-
8 Фев 2017
-
#2
Aлександр
Сашка
- Дней с нами
- 3.301
- Розыгрыши
- 0
- Сообщения
- 1.084
- Репутация
+/- -
445
- Реакции
- 2.381
-
9 Фев 2017
-
#3
Zaous
Активный участник
- Дней с нами
- 3.124
- Розыгрыши
- 0
- Сообщения
- 41
- Репутация
+/- -
1
- Реакции
- 49
-
9 Фев 2017
-
#4
Aлександр
Сашка
- Дней с нами
- 3.301
- Розыгрыши
- 0
- Сообщения
- 1.084
- Репутация
+/- -
445
- Реакции
- 2.381
-
9 Фев 2017
-
#5
Zaous написал(а):Только что тоже самое было,каефНажмите для раскрытия…
Держи меня в курсе
gonome
Бог флуда
- Дней с нами
- 2.318
- Розыгрыши
- 3
- Сообщения
- 6.099
- Репутация
+/- -
141
- Реакции
- 3.140
-
9 Фев 2017
-
#6
Aлександр
Сашка
- Дней с нами
- 3.301
- Розыгрыши
- 0
- Сообщения
- 1.084
- Репутация
+/- -
445
- Реакции
- 2.381
-
9 Фев 2017
-
#7
gonome написал(а):То иконки у разделов слетают, то ошибки Джавы, то дудос. ОДМЕН ЩТО ЗА КУЙНЯ!Нажмите для раскрытия…
Это все и есть дудос
gonome
Бог флуда
- Дней с нами
- 2.318
- Розыгрыши
- 3
- Сообщения
- 6.099
- Репутация
+/- -
141
- Реакции
- 3.140
-
9 Фев 2017
-
#8
Aлександр написал(а):Это все и есть дудосНажмите для раскрытия…
Апертур дебоширит что модерку не дали? =)
Aлександр
Сашка
- Дней с нами
- 3.301
- Розыгрыши
- 0
- Сообщения
- 1.084
- Репутация
+/- -
445
- Реакции
- 2.381
-
9 Фев 2017
-
#9
gonome написал(а):Апертур дебоширит что модерку не дали? =)Нажмите для раскрытия…
Апер лох, а так я не понимаю, о ком ты
- Статус
- В этой теме нельзя размещать новые ответы.
Похожие темы
-
Закрыта
- Аниме
- 15 Фев 2017
- Флудилка
- Ответы
- 3
- Просмотры
- 632
15 Фев 2017
- BrianCrocco
- 12 Дек 2021
- Флудилка
- Ответы
- 1
- Просмотры
- 281
12 Дек 2021
-
Закрыта
- venpb
- 21 Июн 2016
- Флудилка
- Ответы
- 3
- Просмотры
- 594
22 Июн 2016
-
Закрыта
- EvilRider
- 2 Янв 2017
- Флудилка
- Ответы
- 10
- Просмотры
- 610
2 Янв 2017
-
Закрыта
- PayForPain
- 29 Окт 2016
- Музыка
- Ответы
- 4
- Просмотры
- 901
29 Окт 2016
-
Главная -
Форумы
-
Таверна
-
Флудилка
- Mipped.com Milk
- Russian (RU)
- Обратная связь
- Условия и правила
- Политика конфиденциальности
- Помощь
- Главная
- RSS
Снизу
-
#1
Hi friends of this nice peace of bugware.
Sometimes I wish I had never moved from phpbb to this stuff. But who cares.
I do some simple stupid form stuff and send it to my class.
Like a textbox where a user enters his name and I respond his name back from my class.
But, instead of displaying the response, I get
The server responded with an error. The error message is in the JavaScript console.
When I look in my console, I see the correct modified stuff from my method in json format but the page content doesn’t change except that nice error overlay.
wtf?
I have a simple form in my template:
HTML:
<form action="/pages/Testpage1" method="get" class="xenForm AutoValidator" data-redirect="on">
Your Location: <input name="form_location" type="text" value="{$visitor.location}" class="textCtrl autoSize" maxlength="5" size="5" />
<input type="submit" value="submit your entry" class="button primary" />
</form>
and a callback class method that is being called on form submit:
PHP:
public static function getThreads(XenForo_ControllerPublic_Abstract $controller, XenForo_ControllerResponse_Abstract $response)
{
$loc = (int)$controller->getInput()->filterSingle('form_location', XenForo_Input::STRING);
var_dump("YOUR LOC IS: " . $loc);
$threadIds = array();
$threads = $threadModel->getThreadsByIds(
$threadIds,
array(
'join' =>
XenForo_Model_Thread::FETCH_FORUM |
XenForo_Model_Thread::FETCH_USER,
'permissionCombinationId' => $visitor['permission_combination_id'],
'order' => 'post_date',
'orderDirection' => 'desc'
)
);
$response->params['threads'] = $threads;
$response->templateName = 'thread_list_modified';
}
in the js console I see the output of the var_dump from my method…
some one got a hint what’s going wrong here?
thank you.
-
#2
in the js console I see the output of the var_dump from my method…
some one got a hint what’s going wrong here?
Remove the var_dump and it should work fine.
-
#3
thank you. but if I remove the var_dump, I get an
-
#4
You probably need to:
At the end.
-
#5
this doesn’t help. Still unspecified error. On first page call, content is generated by the same method.
This problem only occurs if I submit that form…
-
#6
It’s going to be tricky without seeing the rest of your code.
-
#7
Okay, thank you. I will try it tomorrow with simple code and give you response.
Or, I send you my code by pn tomorrow and send you some bottles of best bavarian beer if you fix it.
-
#8
From your form action, you are using a Page Node. The callback for your Page Node should be used to generate the data you want displayed on that page (calls the templateName with the form in it).
Your form action should point to a controller public class to read the form data when submitted, ie:
<form action=»{xen:link ‘page/dosomething’}»
PHP:
class Your_ControllerPublic_Page extends XenForo_ControllerPublic_Abstract
{
public function actionDoSomething()
{
$loc = (int)$controller->getInput()->filterSingle('form_location', XenForo_Input::STRING);
// process your input and save it and then return a responseView or a responseRedirect
}
}
-
#9
I think the problem is AutoValidator classes. Just try to remove the class maybe help.
-
#10
I think the problem is AutoValidator classes. Just try to remove the class maybe help.
I use the autoValidator class for the form I use for my page node and it causes no problems, as it receives the responseRedirect message sent from the public controller:
HTML:
<form name="traininghall" id="traininghall" action="{xen:link 'traininghall/next'}" method="post" class="xenForm AutoValidator" data-redirect="on">
PHP:
return $this->responseRedirect(
XenForo_ControllerResponse_Redirect::SUCCESS,
XenForo_Link::buildPublicLink('pages/training-hall'),
$charSavedResponse
);
-
#11
is there a simple way to xenlink the custom controllerpublic without creating add ons and other hocus pocus?
-
#12
Ok. I have got my add on, route prefix, public controller.
My page node gets data from callback class and contsins a form.
After submiting the form my variables comes until controller.
Now, how do i push them to my callback class and rebuild the page node?
-
#13
Hello. Someone got a hit to finish this trivial data handling?
-
#14
Yeah. Software and customer service made in brittain.
Now i know why we’ve got audi, bmw and mercedes benz.
-
#15
this nice peace of bugware.
Sometimes I wish I had never moved from phpbb to this stuff.
Yeah. Software and customer service made in brittain.
Do you think that posts of this nature are more or less likely to result in community support?
-
#16
no, surely not. but if you pay year by year for two licences and even don’t get answers for simple questions like how to handle data from a custom form, I ask you where’s the support and why do you call this «customer area»?
-
#17
The forum is for community support, which you aren’t paying for.
You pay for ticket support, which will guarantee a response from a XenForo staff member.
Ticket support however isn’t for custom development, styling, modification, etc.
Bear in mind that all responses on the forum are by people using their spare time of their own accord, for free.
-
#18
Okay. Hello again. Is someone able to do this for money? I hired almost three freelancers from ukraine, india and pakistan and they failed…
-
#20
i dont understand this ? where do i put them ??
Catharsis
-
#1
Приветствую, господа.
Решился на создание тестового форума (аналог данного). Вот в чём состоит проблема:
При нажатии на аватар или имя пользователя, появляется ошибка, которая гласит следующее:
The server responded with an error. The error message is in the JavaScript console.
В консоле вижу следующее:
Код:
xenforo.js?_v=fff446db:233 PHP {"templateHtml":"nnn<div id="memberCard5" data-overlayClass="memberCard">nt<div class="avatarCropper">ntt<a class="avatar NoOverlay Av5l" href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/">nttt<img src="data/avatars/l/0/5.jpg?1500235454" alt="" style="left: -56px; top: 0px; " />ntt</a>nttnttt<div class="modControls" style="position:absolute; bottom:0px; right:0px">nttttnttttt<a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/edit">u0420u0435u0434u0430u043au0442u0438u0440u043eu0432u0430u0442u044c</a>nttttt<a href="index.php?spam-cleaner/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/" class="OverlayTrigger">u0421u043fu0430u043c</a>nttttt<a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/warn">u041fu0440u0435u0434u0443u043fu0440u0435u0434u0438u0442u044c</a>ntttttnttttttnttttttt<a href="admin.php?banning/users/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/lift">u0421u043du044fu0442u044c u0431u043bu043eu043au0438u0440u043eu0432u043au0443</a>nttttttnttttttnttttnttt</div>nttnt</div>nnt<div class="userInfo">ntt<h3 class="username"><a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/" class="username NoOverlay" dir="auto"><span class="banned">u0417u0430u0431u043bu043eu043au0438u0440u043eu0432u0430u043du043du044bu0439 u043fu043eu043bu044cu0437u043eu0432u0430u0442u0435u043bu044c #1</span></a></h3>nntt<div class="userTitleBlurb">nttt<h4 class="userTitle">u041du043eu0432u044bu0439 u0443u0447u0430u0441u0442u043du0438u043a</h4>nttt<div class="userBlurb">98</div>ntt</div>nntt<blockquote class="status"></blockquote>nntt<div class="userLinks">nttnttt<a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/">u0421u0442u0440u0430u043du0438u0446u0430 u043fu0440u043eu0444u0438u043bu044f</a>ntttnttttntttt<a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/follow&_xfToken=1%2C1500318231%2Ccd35fbb5fca8f6db3154e4fea5dc7e1b3169425d" class="FollowLink Tooltip" title="u0417u0430u0431u043bu043eu043au0438u0440u043eu0432u0430u043du043du044bu0439 u043fu043eu043bu044cu0437u043eu0432u0430u0442u0435u043bu044c #1 u043du0435 u044fu0432u043bu044fu0435u0442u0441u044f u0412u0430u0448u0438u043c u043fu043eu0434u043fu0438u0441u0447u0438u043au043eu043c">u041fu043eu0434u043fu0438u0441u0430u0442u044cu0441u044f</a>ntttt<a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/ignore" class="FollowLink">u0418u0433u043du043eu0440u0438u0440u043eu0432u0430u0442u044c</a>ntttnttntt</div>nntt<dl class="userStats pairsInline">nttnttt<dt>u041du0430 u0444u043eu0440u0443u043cu0435 u0441:</dt> <dd>u0412u0447u0435u0440u0430</dd>nttt<!-- slot: pre_messages -->nttt<dt>u0421u043eu043eu0431u0449u0435u043du0438u044f:</dt> <dd><a href="index.php?search/member&user_id=5" class="concealed" rel="nofollow">1</a></dd>nttt<!-- slot: pre_likes -->nttt<dt>u0421u0438u043cu043fu0430u0442u0438u0438:</dt> <dd>0</dd>ntttntttt<!-- slot: pre_trophies -->ntttt<dt>u0411u0430u043bu043bu044b:</dt> <dd><a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/trophies" class="concealed OverlayTrigger">0</a></dd>ntttntttntttt<dt>u0411u0430u043bu043bu044b u0437u0430 u043du0430u0440u0443u0448u0435u043du0438u044f:</dt> <dd><a href="index.php?members/%D0%97%D0%B0%D0%B1%D0%BB%D0%BE%D0%BA%D0%B8%D1%80%D0%BE%D0%B2%D0%B0%D0%BD%D0%BD%D1%8B%D0%B9-%D0%BF%D0%BE%D0%BB%D1%8C%D0%B7%D0%BE%D0%B2%D0%B0%D1%82%D0%B5%D0%BB%D1%8C-1.5/#warnings" class="concealed">0</a></dd>ntttnttntt</dl>nnttnttt<dl class="pairsInline lastActivity">ntttt<dt>u041fu043eu0441u043bu0435u0434u043du044fu044f u0430u043au0442u0438u0432u043du043eu0441u0442u044c u0417u0430u0431u043bu043eu043au0438u0440u043eu0432u0430u043du043du044bu0439 u043fu043eu043bu044cu0437u043eu0432u0430u0442u0435u043bu044c #1:</dt>ntttt<dd>ntttttnttttttnttttttt<abbr class="uix_DateTime" data-time="1500235714" data-diff="82517" data-datestring="16 u0438u044eu043b 2017" data-timestring="23:08">16 u0438u044eu043b 2017 u0432 23:08</abbr>nttttttntttttntttt</dd>nttt</dl>nttnt</div>nnt<a class="close OverlayCloser"></a>n</div>","css":{"stylesheets":["member_card"],"urlTemplate":"css.php?css=__sentinel__&style=2&dir=LTR&d=1500317653"},"js":"","_visitor_conversationsUnread":"0","_visitor_alertsUnread":"0"}
<div style="text-align: center;"><div style="position:relative; top:0; margin-right:auto;margin-left:auto; z-index:99999">
</div></div>
Посмотрел в глобальной сети (Интернете) решения данной проблемы. Дельного ничего не нашёл, кроме смены версии PHP, но, увы, и этот метод — не помог.
Может кто-то разбирается, да поможет мне?
Благодарю.
-
#2
Такая ошибка у нас возникала, если отключить дополнение [AD] UI.X
В админке в ошибках сервера что ?
Catharsis
-
#3
Такая ошибка у нас возникала, если отключить дополнение [AD] UI.X
В админке в ошибках сервера что ?
«Записи об ошибках сервера отсутствуют.»
Установлено и включено только дополнение [TH] UI.X
Вот ещё что странно: если зайти «гостем» на форум, то ошибка не появляется, а, в свою очередь, зарегистрированный пользователь (любой) получает ошибку.
-
#4
«Записи об ошибках сервера отсутствуют.»
Установлено и включено только дополнение [TH] UI.X
Вот ещё что странно: если зайти «гостем» на форум, то ошибка не появляется, а, в свою очередь, зарегистрированный пользователь (любой) получает ошибку.
Шаблон куплен у производителя ? И еще посмотрите права групп в админке. Зарегистрированные пользователи получают контент, недоступный гостям, который вызывает эту ошибку.
Catharsis
-
#5
Шаблон куплен у производителя ? И еще посмотрите права групп в админке. Зарегистрированные пользователи получают контент, недоступный гостям, который вызывает эту ошибку.
Шаблон — да, куплен у производителя. Права групп настроил — всё равно ошибка. На обоих форумах такая ошибка. Только на первом шаблон Flat Awesome 1.5.14 (последний). Я предполагаю, что это из-за одного IP-адреса, ведь, все тестовые аккаунты зарегистрированы с моего адреса. Или же из-за несовместимой версии Xenforo (1.5.12) Попробую, конечно, с разных IP-адресов. Ну, а если и снова появится ошибка, тогда, полагаю, надо обновлять Xenforo до последней версии.
-
#6
У нас установлена версия 1.5 и нет таких глюков. IP тут не при чем. Может быть на сайте продавца некорректно указаны адреса сайтов ? Дайте уже адреса своих сайтов (под хайд 0)
Catharsis
-
#7
У нас установлена версия 1.5 и нет таких глюков. IP тут не при чем. Может быть на сайте продавца некорректно указаны адреса сайтов ? Дайте уже адреса своих сайтов (под хайд 0)
Ссылка скрыта от гостей
(Flat Awesome)
Ссылка скрыта от гостей
(UI.X)