Vnr startup error

Archive of Visual Novel Reader source code. This repo contains the core VNR source. See also: https://github.com/Artikash/VNR-Extras - VNR-Core/initrc.py at master · Artikash/VNR-Core
# coding: utf8 # initrc.py # 10/5/2012 jichi # Note: this file is shared by all apps import os, sys #def u_from_native(s): # # Following contents are copied from sakurakit.skunicode # import locale # lc, enc = locale.getdefaultlocale() # return s.decode(enc, errors=’ignore’) #u = u_from_native ## Helpers ## def reset_win_path(): try: print >> sys.stderr, «initrc:reset_win_path: enter» windir = os.environ[‘windir’] or os.environ[‘SystemRoot’] or r»C:Windows» path = os.pathsep.join(( windir, os.path.join(windir, ‘System32’), )) os.environ[‘PATH’] = path print >> sys.stderr, «initrc:reset_win_path: leave» except Exception, e: print >> sys.stderr, «initrc:reset_win_path: leave, exception =», e MB_OK = 0 # win32con.MB_OK MB_ICONERROR = 0x10 # win32con.MB_ICONERROR MB_ICONWARNING = 0x30 # win32con.MB_ICONWARNING def msgbox(text, title, type=MB_OK): «»»A message box independent of pywin32. @param title str not unicode @param text str not unicode «»» if os.name == ‘nt’: from ctypes import windll windll.user32.MessageBoxA(None, text, title, type) ## Procedures ## def probemod(): print >> sys.stderr, «initrc:probemod: enter» try: from PySide import QtCore except ImportError, e: print >> sys.stderr, «initrc:probemod: ImportError:», e msgbox(«»» I am sorry that VNR got a severe error on startup m(_ _)m It seems VNR is corrupted that one of the following files are missing, broken, renamed, or quarantined by antivirus software. Note that the paths and file names are CASE-SENSITIVE. Library/Frameworks/Qt/PySide/QtCore4.dll Library/Frameworks/Qt/PySide/QtCore.pyd I hope if you can turn off your antivirus soft and redownload VNR manually from one of the following: Google Drive: http://goo.gl/t31MqY Megashares: https://mega.co.nz/#F!g00SQJZS!pm3bAcS6qHotPzJQUT596Q If VNR is on a NTFS drive, the following post about file permissions might also be helpful: http://sakuradite.com/topic/136 Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % e, «VNR Startup Error», MB_OK|MB_ICONERROR) sys.exit(1) except UnicodeDecodeError, e: print >> sys.stderr, «initrc:probemod: UnicodeDecodeError:», e msgbox(«»» I am sorry that VNR got a severe error on startup m(_ _)m It seems that you have UNICODE (non-English) characters in the path to VNR. Due to technical difficulties, UNICODE path would crash VNR. I hope if you could try removing UNICODE characters including Japanese, Chinese, etc. Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % e, «VNR Startup Error», MB_OK|MB_ICONERROR) sys.exit(1) print >> sys.stderr, «initrc:probemod: leave» #I am sorry that VNR got a severe error on startup m(_ _)m #It seems that some of the following libraries are missing: # #* msvc 2008 sp1 x86 redist: # http://www.microsoft.com/download/details.aspx?id=5582 #* msvc 2010 sp1 x86 redist: # http://www.microsoft.com/download/details.aspx?id=26999 # #Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. def checkintegrity(): print >> sys.stderr, «initrc:checkintegrity: enter» error = None import config try: for it in config.ENV_INTEGRITYPATH: if not os.path.exists(it): error = «File does not exist: %s» % it break except Exception, e: error = «%s» % e if error: # Force using ascii encoding error = error.encode(‘ascii’, errors=‘ignore’) msgbox(«»» I am sorry that VNR got a severe problem on startup m(_ _)m It seems that some of the files needed by VNR are missing. Either VNR is corrupted after download, or some files are quarantined by anti-virus soft after update. I hope if you can turn off your antivirus soft and redownload VNR manually from one of the following: Google Drive: http://goo.gl/t31MqY Baidu Disk: http://pan.baidu.com/s/1jGftD9W Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % error, «VNR Integrity Error», MB_OK|MB_ICONERROR) sys.exit(2) print >> sys.stderr, «initrc:checkintegrity: leave» def initenv(): print >> sys.stderr, «initrc:initenv: enter» # Enforce UTF-8 # * Reload sys # See: http://hain.jp/index.php/tech-j/2008/01/07/Pythonの文字化け # * Create sitecustomize.py # See: http://laugh-labo.blogspot.com/2012/02/sitecustomizepy.html #import sys #reload(sys) # make ‘setdefaultencoding’ visible #sys.setdefaultencoding(‘utf8’) # Add current and parent folder to module path mainfile = os.path.abspath(__file__) maindir = os.path.dirname(mainfile) sys.path.append(maindir) if os.name == ‘nt’: reset_win_path() # Python chdir is buggy for unicode #os.chdir(maindir) import config # http://stackoverflow.com/questions/196930/how-to-check-if-os-is-vista-in-python #import platform #if platform.release() == ‘XP’: # map(sys.path.append, config.ENV_PYTHONPATH_XP) #for path in config.ENV_PYTHONPATH: # sys.path.append(path) map(sys.path.append, config.ENV_PYTHONPATH) if hasattr(config, ‘APP_PYTHONPATH’): map(sys.path.append, config.APP_PYTHONPATH) paths = os.pathsep.join(config.ENV_PATH) try: os.environ[‘PATH’] = paths + os.pathsep + os.environ[‘PATH’] except KeyError: # PATH does not exists?! os.environ[‘PATH’] = paths if os.name == ‘nt’ and hasattr(config, ‘ENV_MECABRC’): assert os.path.exists(config.ENV_MECABRC), «mecabrc does not exist» os.putenv(‘MECABRC’, config.ENV_MECABRC.replace(‘/’, os.path.sep)) else: print «initrc:initenv: ignore mecabrc» #from distutils.sysconfig import get_python_lib #sitedir = get_python_lib() #pyside_home =sitedir + ‘/PySide’ #sys.path.append(pyside_home) #python_home = dirname(rootdir) + ‘/Python’ #qt_home = dirname(rootdir) + ‘/Qt’ #sys.path.append(qt_home + ‘/bin’) print «initrc:initenv: leave» if __name__ == ‘__main__’: print >> sys.stderr, «initrc: enter» #print __file__ initenv() probemod() checkintegrity() # EOF
# coding: utf8 # initrc.py # 10/5/2012 jichi # Note: this file is shared by all apps import os, sys #def u_from_native(s): # # Following contents are copied from sakurakit.skunicode # import locale # lc, enc = locale.getdefaultlocale() # return s.decode(enc, errors=’ignore’) #u = u_from_native ## Helpers ## def reset_win_path(): try: print >> sys.stderr, «initrc:reset_win_path: enter» windir = os.environ[‘windir’] or os.environ[‘SystemRoot’] or r»C:Windows» path = os.pathsep.join(( windir, os.path.join(windir, ‘System32’), )) os.environ[‘PATH’] = path print >> sys.stderr, «initrc:reset_win_path: leave» except Exception, e: print >> sys.stderr, «initrc:reset_win_path: leave, exception =», e MB_OK = 0 # win32con.MB_OK MB_ICONERROR = 0x10 # win32con.MB_ICONERROR MB_ICONWARNING = 0x30 # win32con.MB_ICONWARNING def msgbox(text, title, type=MB_OK): «»»A message box independent of pywin32. @param title str not unicode @param text str not unicode «»» if os.name == ‘nt’: from ctypes import windll windll.user32.MessageBoxA(None, text, title, type) ## Procedures ## def probemod(): print >> sys.stderr, «initrc:probemod: enter» try: from PySide import QtCore except ImportError, e: print >> sys.stderr, «initrc:probemod: ImportError:», e msgbox(«»» I am sorry that VNR got a severe error on startup m(_ _)m It seems VNR is corrupted that one of the following files are missing, broken, renamed, or quarantined by antivirus software. Note that the paths and file names are CASE-SENSITIVE. Library/Frameworks/Qt/PySide/QtCore4.dll Library/Frameworks/Qt/PySide/QtCore.pyd I hope if you can turn off your antivirus soft and redownload VNR manually from one of the following: Google Drive: http://goo.gl/t31MqY Megashares: https://mega.co.nz/#F!g00SQJZS!pm3bAcS6qHotPzJQUT596Q If VNR is on a NTFS drive, the following post about file permissions might also be helpful: http://sakuradite.com/topic/136 Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % e, «VNR Startup Error», MB_OK|MB_ICONERROR) sys.exit(1) except UnicodeDecodeError, e: print >> sys.stderr, «initrc:probemod: UnicodeDecodeError:», e msgbox(«»» I am sorry that VNR got a severe error on startup m(_ _)m It seems that you have UNICODE (non-English) characters in the path to VNR. Due to technical difficulties, UNICODE path would crash VNR. I hope if you could try removing UNICODE characters including Japanese, Chinese, etc. Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % e, «VNR Startup Error», MB_OK|MB_ICONERROR) sys.exit(1) print >> sys.stderr, «initrc:probemod: leave» #I am sorry that VNR got a severe error on startup m(_ _)m #It seems that some of the following libraries are missing: # #* msvc 2008 sp1 x86 redist: # http://www.microsoft.com/download/details.aspx?id=5582 #* msvc 2010 sp1 x86 redist: # http://www.microsoft.com/download/details.aspx?id=26999 # #Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. def checkintegrity(): print >> sys.stderr, «initrc:checkintegrity: enter» error = None import config try: for it in config.ENV_INTEGRITYPATH: if not os.path.exists(it): error = «File does not exist: %s» % it break except Exception, e: error = «%s» % e if error: # Force using ascii encoding error = error.encode(‘ascii’, errors=‘ignore’) msgbox(«»» I am sorry that VNR got a severe problem on startup m(_ _)m It seems that some of the files needed by VNR are missing. Either VNR is corrupted after download, or some files are quarantined by anti-virus soft after update. I hope if you can turn off your antivirus soft and redownload VNR manually from one of the following: Google Drive: http://goo.gl/t31MqY Megashares: https://mega.co.nz/#F!g00SQJZS!pm3bAcS6qHotPzJQUT596Q Feel free to complain to me (annotcloud@gmail.com) if this error keeps bothering you. ERROR MESSAGE BEGIN %s ERROR MESSAGE END»»» % error, «VNR Integrity Error», MB_OK|MB_ICONERROR) sys.exit(2) print >> sys.stderr, «initrc:checkintegrity: leave» def initenv(): print >> sys.stderr, «initrc:initenv: enter» # Enforce UTF-8 # * Reload sys # See: http://hain.jp/index.php/tech-j/2008/01/07/Pythonの文字化け # * Create sitecustomize.py # See: http://laugh-labo.blogspot.com/2012/02/sitecustomizepy.html #import sys #reload(sys) # make ‘setdefaultencoding’ visible #sys.setdefaultencoding(‘utf8’) # Add current and parent folder to module path mainfile = os.path.abspath(__file__) maindir = os.path.dirname(mainfile) sys.path.append(maindir) if os.name == ‘nt’: reset_win_path() # Python chdir is buggy for unicode #os.chdir(maindir) import config # http://stackoverflow.com/questions/196930/how-to-check-if-os-is-vista-in-python #import platform #if platform.release() == ‘XP’: # map(sys.path.append, config.ENV_PYTHONPATH_XP) #for path in config.ENV_PYTHONPATH: # sys.path.append(path) map(sys.path.append, config.ENV_PYTHONPATH) if hasattr(config, ‘APP_PYTHONPATH’): map(sys.path.append, config.APP_PYTHONPATH) paths = os.pathsep.join(config.ENV_PATH) try: os.environ[‘PATH’] = paths + os.pathsep + os.environ[‘PATH’] except KeyError: # PATH does not exists?! os.environ[‘PATH’] = paths if os.name == ‘nt’ and hasattr(config, ‘ENV_MECABRC’): assert os.path.exists(config.ENV_MECABRC), «mecabrc does not exist» os.putenv(‘MECABRC’, config.ENV_MECABRC.replace(‘/’, os.path.sep)) else: print «initrc:initenv: ignore mecabrc» #from distutils.sysconfig import get_python_lib #sitedir = get_python_lib() #pyside_home =sitedir + ‘/PySide’ #sys.path.append(pyside_home) #python_home = dirname(rootdir) + ‘/Python’ #qt_home = dirname(rootdir) + ‘/Qt’ #sys.path.append(qt_home + ‘/bin’) print «initrc:initenv: leave» if __name__ == ‘__main__’: print >> sys.stderr, «initrc: enter» #print __file__ initenv() probemod() checkintegrity() # EOF

Последнее обновление: 07/30/2022
[Время на прочтение: ~3-5 мин.]

Файл license.startup.offline.vnr.html, также известный как файл Hypertext Markup Language, был создан компанией Ashampoo для разработки Ashampoo Burning Studio Free 1.20.2. Файлы HTML относятся к категории типов файлов HTML (Hypertext Markup Language).

Первый выпуск файла license.startup.offline.vnr.html в ОС Windows 10 состоялся 01/20/2020 в составе Ashampoo WinOptimizer 17.0.24.

Датой самого последнего выпуска файла для Ashampoo Burning Studio Free 1.20.2 является 02/15/2019 [версия 1.20.2].

В этой статье обсуждаются подробные сведения о файлах, порядок устранения неполадок с файлом HTML при проблемах с license.startup.offline.vnr.html, а также полный набор бесплатных загрузок для каждой версии файла, которая была зарегистрирована нашей командой.

Что такое сообщения об ошибках license.startup.offline.vnr.html?

Общие ошибки выполнения license.startup.offline.vnr.html

Ошибки файла license.startup.offline.vnr.html часто возникают на этапе запуска Ashampoo Burning Studio Free, но также могут возникать во время работы программы.
Эти типы ошибок HTML также известны как «ошибки выполнения», поскольку они возникают во время выполнения Ashampoo Burning Studio Free. К числу наиболее распространенных ошибок выполнения license.startup.offline.vnr.html относятся:

  • Не удается найти license.startup.offline.vnr.html.
  • license.startup.offline.vnr.html — ошибка.
  • Не удалось загрузить license.startup.offline.vnr.html.
  • Ошибка при загрузке license.startup.offline.vnr.html.
  • Не удалось зарегистрировать license.startup.offline.vnr.html / Не удается зарегистрировать license.startup.offline.vnr.html.
  • Ошибка выполнения — license.startup.offline.vnr.html.
  • Файл license.startup.offline.vnr.html отсутствует или поврежден.

Библиотека времени выполнения Microsoft Visual C++

Ошибка выполнения!

Программа: C:Program Files (x86)AshampooAshampoo Burning Studio FREEskinsash_inetv3license.startup.offline.vnr.html

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

В большинстве случаев причинами ошибок в HTML являются отсутствующие или поврежденные файлы. Файл license.startup.offline.vnr.html может отсутствовать из-за случайного удаления, быть удаленным другой программой как общий файл (общий с Ashampoo Burning Studio Free) или быть удаленным в результате заражения вредоносным программным обеспечением. Кроме того, повреждение файла license.startup.offline.vnr.html может быть вызвано отключением питания при загрузке Ashampoo Burning Studio Free, сбоем системы при загрузке или сохранении license.startup.offline.vnr.html, наличием плохих секторов на запоминающем устройстве (обычно это основной жесткий диск) или заражением вредоносным программным обеспечением. Таким образом, крайне важно, чтобы антивирус постоянно поддерживался в актуальном состоянии и регулярно проводил сканирование системы.

Как исправить ошибки license.startup.offline.vnr.html — 3-шаговое руководство (время выполнения: ~5-15 мин.)

Если вы столкнулись с одним из вышеуказанных сообщений об ошибке, выполните следующие действия по устранению неполадок, чтобы решить проблему license.startup.offline.vnr.html. Эти шаги по устранению неполадок перечислены в рекомендуемом порядке выполнения.

Шаг 1. Восстановите компьютер до последней точки восстановления, «моментального снимка» или образа резервной копии, которые предшествуют появлению ошибки.

Чтобы начать восстановление системы (Windows XP, Vista, 7, 8 и 10):

  1. Нажмите кнопку «Пуск» в Windows
  2. В поле поиска введите «Восстановление системы» и нажмите ENTER.
  3. В результатах поиска найдите и нажмите «Восстановление системы»
  4. Введите пароль администратора (при необходимости).
  5. Следуйте инструкциям мастера восстановления системы, чтобы выбрать соответствующую точку восстановления.
  6. Восстановите компьютер к этому образу резервной копии.

Если на этапе 1 не удается устранить ошибку license.startup.offline.vnr.html, перейдите к шагу 2 ниже.

Шаг 2. Если вы недавно установили приложение Ashampoo Burning Studio Free (или схожее программное обеспечение), удалите его, затем попробуйте переустановить Ashampoo Burning Studio Free.

Чтобы удалить программное обеспечение Ashampoo Burning Studio Free, выполните следующие инструкции (Windows XP, Vista, 7, 8 и 10):

  1. Нажмите кнопку «Пуск» в Windows
  2. В поле поиска введите «Удалить» и нажмите ENTER.
  3. В результатах поиска найдите и нажмите «Установка и удаление программ»
  4. Найдите запись для Ashampoo Burning Studio Free 1.20.2 и нажмите «Удалить»
  5. Следуйте указаниям по удалению.

После полного удаления приложения следует перезагрузить ПК и заново установить Ashampoo Burning Studio Free.

Если на этапе 2 также не удается устранить ошибку license.startup.offline.vnr.html, перейдите к шагу 3 ниже.

Ashampoo Burning Studio Free 1.20.2

Ashampoo

Шаг 3. Выполните обновление Windows.

Когда первые два шага не устранили проблему, целесообразно запустить Центр обновления Windows. Во многих случаях возникновение сообщений об ошибках license.startup.offline.vnr.html может быть вызвано устаревшей операционной системой Windows. Чтобы запустить Центр обновления Windows, выполните следующие простые шаги:

  1. Нажмите кнопку «Пуск» в Windows
  2. В поле поиска введите «Обновить» и нажмите ENTER.
  3. В диалоговом окне Центра обновления Windows нажмите «Проверить наличие обновлений» (или аналогичную кнопку в зависимости от версии Windows)
  4. Если обновления доступны для загрузки, нажмите «Установить обновления».
  5. После завершения обновления следует перезагрузить ПК.

Если Центр обновления Windows не смог устранить сообщение об ошибке license.startup.offline.vnr.html, перейдите к следующему шагу. Обратите внимание, что этот последний шаг рекомендуется только для продвинутых пользователей ПК.

Если эти шаги не принесут результата: скачайте и замените файл license.startup.offline.vnr.html (внимание: для опытных пользователей)

Если ни один из предыдущих трех шагов по устранению неполадок не разрешил проблему, можно попробовать более агрессивный подход (примечание: не рекомендуется пользователям ПК начального уровня), загрузив и заменив соответствующую версию файла license.startup.offline.vnr.html. Мы храним полную базу данных файлов license.startup.offline.vnr.html со 100%-ной гарантией отсутствия вредоносного программного обеспечения для любой применимой версии Ashampoo Burning Studio Free . Чтобы загрузить и правильно заменить файл, выполните следующие действия:

  1. Найдите версию операционной системы Windows в нижеприведенном списке «Загрузить файлы license.startup.offline.vnr.html».
  2. Нажмите соответствующую кнопку «Скачать», чтобы скачать версию файла Windows.
  3. Скопируйте этот файл в соответствующее расположение папки Ashampoo Burning Studio Free:

    Windows 10: C:Program Files (x86)AshampooAshampoo Burning Studio FREEskinsash_inetv3
    Windows 10: C:Program Files (x86)AshampooAshampoo WinOptimizer 2020skinsash_inetv3

  4. Перезагрузите компьютер.

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

СОВЕТ ОТ СПЕЦИАЛИСТА: Мы должны подчеркнуть, что переустановка Windows является достаточно длительной и сложной задачей для решения проблем, связанных с license.startup.offline.vnr.html. Во избежание потери данных следует убедиться, что перед началом процесса вы создали резервные копии всех важных документов, изображений, установщиков программного обеспечения и других персональных данных. Если вы в настоящее время не создаете резервных копий своих данных, вам необходимо сделать это немедленно.

Скачать файлы license.startup.offline.vnr.html (проверено на наличие вредоносного ПО — отсутствие 100 %)

ВНИМАНИЕ! Мы настоятельно не рекомендуем загружать и копировать license.startup.offline.vnr.html в соответствующий системный каталог Windows. Ashampoo, как правило, не выпускает файлы Ashampoo Burning Studio Free HTML для загрузки, поскольку они входят в состав установщика программного обеспечения. Задача установщика заключается в том, чтобы обеспечить выполнение всех надлежащих проверок перед установкой и размещением license.startup.offline.vnr.html и всех других файлов HTML для Ashampoo Burning Studio Free. Неправильно установленный файл HTML может нарушить стабильность работы системы и привести к тому, что программа или операционная система полностью перестанут работать. Действовать с осторожностью.

Файлы, относящиеся к license.startup.offline.vnr.html

Файлы HTML, относящиеся к license.startup.offline.vnr.html

Имя файла Описание Программа (версия) Размер файла (байты) Расположение файла
system.setupdownloader… Hypertext Markup Language Ashampoo Burning Studio Free 1.20.2 9197 C:Program Files (x86)AshampooAshampoo Burnin…
license.startup.offlin… Hypertext Markup Language Ashampoo Burning Studio Free 1.20.2 2256 C:Program Files (x86)AshampooAshampoo Burnin…
dialog.error.html Hypertext Markup Language Ashampoo Burning Studio Free 1.20.2 9946 C:Program Files (x86)AshampooAshampoo Burnin…
channel.news.html Hypertext Markup Language Ashampoo Burning Studio Free 1.20.2 3499 C:Program Files (x86)AshampooAshampoo Burnin…
TestSharePage.html Hypertext Markup Language Ashampoo Burning Studio Free 1.20.2 1156 C:UsersTesterAppDataLocalMicrosoftOneDriv…

Другие файлы, связанные с license.startup.offline.vnr.html

Имя файла Описание Программа (версия) Размер файла (байты) Расположение файла
CBS.log Log Ashampoo Burning Studio Free 1.20.2 888625 C:WindowsLogsCBS
setuperr.log Log Ashampoo WinOptimizer 17.0.24 761 C:WindowsLogsDPX
setupapi.dev.log Log Ashampoo WinOptimizer 17.0.24 684126 C:Windowsinf
api-ms-win-core-profil… ApiSet Stub DLL Microsoft® Windows® Operating System (10.0.17134.12) 17776 C:UsersTesterAppDataLocalMicrosoftOneDriv…
diagwrn.xml Extensible Markup Language Ashampoo Burning Studio Free 1.20.2 44683 C:WindowsPantherUnattendGC

Вы скачиваете пробное программное обеспечение. Для разблокировки всех функций программного обеспечения требуется покупка годичной подписки, стоимость которой оставляет 39,95 долл. США. Подписка автоматически возобновляется в конце срока (Подробнее). Нажимая кнопку «Начать загрузку» и устанавливая «Программное обеспечение», я подтверждаю, что я прочитал (-а) и принимаю Лицензионное соглашение и Политику конфиденциальности компании Solvusoft.

VNR_01

VNR is a very cool program that can translate any visual novel text automatically for you so you can play it even if you know nothing about japanese and still understand a lot of the content.

Here is a tutorial on how to set it up and enjoy it.
Also check the Textextractor tutorial, it is lighter and has a simpler setup.

The features

VNR is a program that can attach to a visual novel  and translate the text and a lot of more things. If you used agth, ith and other text hookers before you’ll be glad to kown that VNR has a game database that automatically gets you a working /H code so you don’t have to worry about it.

Users can submit a translation for any text on the novel and in the absence of that it can automatically use google translate, baidu, babel and a lot of online translators to make a translation for you.

Also, in the image above, note that the machine translated line has “Liselle” underlined… this is another cool feature, VNR has a shared database of phrases and words that can be used specifically for a novel(like names and terminology) or general phrases that appear a lot.

Finally, if you can understand a little bit of japanese or are trying to improve it you can set up mecab to make the kanji display furigana above it, making it so if you click on the kanji a dictionary will popup. It also has text-to-speech to read the japanese for you want it.

And if you want a more imersed experience, you can set so VNR automatically displays the translated text into the game instead of the japanese. This can also work with some interface elements and gameplay menus.

VNR_02

Finally there is also comments, users can submit comments that will popup in the screen at specific dialogs. Its cool to read peoples thoughts at the scene sometimes, but for some reason 99% of the comments are chinese and the other 1% are korean so I usually disable them.

Installation

Installation is very simple, just download and execute the program.

Here is a link http://vnr.aniclan.com/upload/Visual_Novel_Reader(EN).rar

And here is the site to create your user http://vnr.aniclan.com

I don’t see any real benefit to creating a user as you can do anything, including submitting subtitles as a guest. But I created one anyways.

This site is not actually the original one, the original host for this program disappeared a year ago and this vnr.aniclan changed the program host to its own new databse. Luckly it seems there were backups as there are tons of older subtitles there. But some of the program features like the forum, or VN reveiws don’t work anymore and will show as “could not connect to server”.

Setups, personalization and starting a novel

The first time you start the program the default settings are not very good. Firstly… it changes your cursor to a wierd arrows and enables subtitles from any language to show up. So it’s important to configure it at least once.

This program works as a dashboard for your novels. It’ll register the novels in a pseudo-desktop and you can start the novels from there in the future if you want.

By default if you have the program open and start a novel it’ll automatically detect the novel, link it with its database and add it to his dashboard automatically.

But first, some configuration.

VNR_03

If you ever lose track of VNR it should be hidden in the taskbar bellow.
So, click anywhere on the dashboard with the right click and go to preferences.

On the UI, disable the “Custimize mouse cursor” option… I don’t even know why that is a thing.

I’ll list the important settings:

Account: Set your language, if you ever submit a subtitle it’ll be on the language is set on the account setting, also, you don’t really need an account to change this.

Embedded:(optional): Select the box “Use VNR’s build-in hook instead of ITH if possible” to make it translate in-game like the second image.

Translation->translators: This is where you select which machine translation you’ll use. Some of them might not work. Anyways, just use “Google.com multilingual translation service”. If you have an offline translator like LEC or Atlas you can use it instead, just set the location on “Locations->translators” and enable them on the last boxes.

Translation->dictionaries: This is really important for those who want to improve their japanese, select “Display japanese furigana above game text”. Bellow are options to select if you want higarana, romanji above the kanji or even romanji above all text.
Just make sure to install mecab so this can work https://sourceforge.net/projects/mecab/
After installing mecab you can go to “Downloads->dictionaries” and download some dicts so it can better display kanji meaning when you click on the words… totally optional.

i18n: Select which languages to block… So you don’t get random french and german subtitles.

Text-To-Speech(optional): Select which voice that will read text to you if you want. There are a lot of online text to speech, including google’s. Some of them don’t work, so click the play button to text if they work first if you want to use this.

Launch:  You might want to disable “Automatically detect running game”. Or it’ll try to register any games that you open.

There are a lot of other options and custimization that you can do but this should cover the basics so you can have a good experience.

Starting the game

VNR_04

If you start the visual novel with the default setting to automatically detect games you’ll see a Icon of the game on your dashboard that you can double-click and start the game later.

If for some reason it didn’t detect the game you can open the game, and click the grey “rocket” icon inside the dashboard, it’ll ask you to detect the game by clicking on the game-windows and its done. The game will be added to you dashboard for future use.
You can “Edit” the icon to display a more readable name, it’ll be the japanese game name by default.

After starting the novel with VNR if you mouse over the side of the windows a small menu will show up. If you click the “option” it’ll display some settings like wether to display machine translations, user subtitles, comments, etc.

If you click “Sub” it’ll display a small bar bellow the window that you can submit a translation, it’s very easy and fast. Just note that the translation will be for whatever text is showing currently.

Speak” is used to automatically read the text to you. There are a lot of options to make sure that only narration are spoken or wether you want the japanese or translation to be read. You can even set so each character on the novel will be read with a different text-to-speech bot if the novel doesn’t have voices and you feel like it.
Also, you can middle click on the line to make it speak too even without this option.
Note: preferences text-to-speech needs to be enable for any of these to work.

Conclusion

Hope this helps you to enjoy more japanese novels.

I’ll be waiting to see more english comments and subtitles on novels from now on.

PS: I’ve already submited some subtitles here and there. Let’s slowly translated novels together o.

Update: Setting up the text

I forgot to add this and I saw a lot of people asking so I’m updating it here.

Some games might not show any translated text, get the wrong text to translate or even display gibberish numbers and letters. In most cases this is just VNR getting the wrong defaults and can be very easily configured.

Most visual novels, including recent releases work fine with VNR even without needing Hcodes.

vnr_text1_2

Right click anywhere in those blue buttons on the left side of the game windows and select “Text Settings”. It’ll open a new window.

vnr_text1_3

The text that’ll be translated is indicated by the blocks on the lower part. At first there might be none so you’ll need to play the game and when it detects some text it’ll appear in those blocks on the lower part.

Find the block that better corresponds to the textbox and select it as “Dialog“. This will be the text that’ll be translated.

You can also choose “other” in case you’re playing an RPG novel. Sometimes itens descriptions and other informations are displayed on a separated box. “other” basically means that if the box with “dialog” is not updated, it’ll show up the box with “other” that was updated(there can be more than one, it’ll just pick up the first).

Those red checkboxes above can correct some texts when the japanese characters comes in doubles. It’ll detect it and remove the repetition.

vnr_text2

Lastly, some rare games might come with gibberish text like the image above. This is because VNR is reading the text in the wrong encode. By default VNR will open with Japanese Shift-JIS encode but some games like this one uses UTF-16.

To fix that just click the dropbox(upper arrow) and select UTF-16 to see if the text now shows up correctly.

After adjusting everything. Don’t forget to “Save” uptop. The changes are already in effect but if you close this window without saving it’ll revert back.

You just need to do this once per game because VNR will save the configuration for you. Except some rare games that change the text thread address changes everytime.

Hope this can solve some of your problems.

PS1: When a game has an HCode registered on VNR and you launch the game displaying “Can’t initialize HCode” on those popups, pressing the rocked button on VNR to resync the game after its already running can make vnr input the HCode again correctly.

PS2: In extremelly rare cases(old games) when no text are showing in the threads and the game has an option for “removing antialiasing on the text”, removing the antialiasing can make it display the text thread correctly. I’ve only seen this on a couple of old doujin games.

Best Answer
MatPerito
,
10 December 2022 — 04:46 am

If anyone still needs a fix for this, uninstall vortex -> delete every file in the installation folder and appdata/roamind/vortex.
Install it and done, but don’t use admin mode as I did (the only app I ever had issues for using on admin mode btw)

Go to the full post »

#1

Posted 28 June 2022 — 07:34 pm

zachypoobear

    Stranger

  • Premium Member
  • 3 posts

As the title says, I’m getting a «Startup failed» error when trying to launch vortex. The error message says Vortex seems to be running and to check task manager. Obviously, I checked task manager and there are no processes from Vortex running, so there is nothing for me to close out. 

Restarting my computer, uninstalling reinstalling Vortex, and running Vortex as admin all don’t solve the issue.

Any idea as to what could be causing this, and how to fix it? Fortunately, I had already modded my target game, but would like to be able to update mods in the future through Vortex. 

  • Back to top

#2



1ae0bfb8

Posted 28 June 2022 — 08:08 pm

you shouldn’t run vortex as admin — or any program for that matter. i’d bet dollars to donuts thats your root cause.

  • Back to top

#3



Pickysaurus

Posted 29 June 2022 — 06:46 am

Pickysaurus

    Community Manager

  • Admin
  • 19,980 posts

Try restarting your PC. That usually clears anything like this

  • Back to top

#4



zachypoobear

Posted 30 June 2022 — 07:58 pm

zachypoobear

    Stranger

  • Premium Member
  • 3 posts

you shouldn’t run vortex as admin — or any program for that matter. i’d bet dollars to donuts thats your root cause.

I normally don’t ever run programs as admin, just trying it as a troubleshooting step. and no, this is not the cause as the issue persists while not running in admin. As a side note, not sure what your opposition to running a program as admin is. All it does really is ignore any permissions to run. It’s a pretty common troubleshooting step for a program not running correctly as Windows can be weird about permissions at times. 

Try restarting your PC. That usually clears anything like this

As I stated in my post, I did try restarting my PC, several times I might add, and no luck. 

I appreciate both of your feedback, but unfortunately neither suggestions work. 

  • Back to top

#5



1ae0bfb8

Posted 30 June 2022 — 08:03 pm

you shouldn’t run vortex as admin — or any program for that matter. i’d bet dollars to donuts thats your root cause.

I normally don’t ever run programs as admin, just trying it as a troubleshooting step. and no, this is not the cause as the issue persists while not running in admin. As a side note, not sure what your opposition to running a program as admin is. All it does really is ignore any permissions to run. It’s a pretty common troubleshooting step for a program not running correctly as Windows can be weird about permissions at times. 

that’s empiracally false. windows is fine with permissions, its users who are weird about how they work.

if you run a program as admin — it gets allsorts of lovely permission to do allsorts of lovely things  such as compromise your data. that’s my opposition (and everyone else’s who understands how this stuff works), opposition. and it is never, not ever, considered to be a «troubleshooting» step.

but what do i know, i only do this for a living…………

  • Back to top

#6



zachypoobear

Posted 01 July 2022 — 12:33 am

zachypoobear

    Stranger

  • Premium Member
  • 3 posts

you shouldn’t run vortex as admin — or any program for that matter. i’d bet dollars to donuts thats your root cause.

I normally don’t ever run programs as admin, just trying it as a troubleshooting step. and no, this is not the cause as the issue persists while not running in admin. As a side note, not sure what your opposition to running a program as admin is. All it does really is ignore any permissions to run. It’s a pretty common troubleshooting step for a program not running correctly as Windows can be weird about permissions at times. 

that’s empiracally false. windows is fine with permissions, its users who are weird about how they work.

if you run a program as admin — it gets allsorts of lovely permission to do allsorts of lovely things  such as compromise your data. that’s my opposition (and everyone else’s who understands how this stuff works), opposition. and it is never, not ever, considered to be a «troubleshooting» step.

but what do i know, i only do this for a living…………

While I’m not sure I would be worried about Vortex compromising my data (although nowadays, who can be too sure about anything), I do see your point.

Regardless, I had never run Vortex as admin before the one time I did after I got this error mentioned. Hence why running as admin could not possibly be the cause for this error as running normally causes the error as well. 

It’s a very strange issue as I can’t understand why Vortex would think it’s already running when it clearly isn’t, at least from what I can tell anyway. 

  • Back to top

#7



Nulliusssss

Posted 07 November 2022 — 04:57 am

Nulliusssss

    Stranger

  • Members
  • Pip
  • 3 posts

Was this issue never fixed, because I am having it as well

  • Back to top

#8



Pickysaurus

Posted 07 November 2022 — 11:23 am

Pickysaurus

    Community Manager

  • Admin
  • 19,980 posts

Was this issue never fixed, because I am having it as well

There’s nothing to fix as this is a problem on the user’s end. Closing Vortex in Task Manager or just restarting the PC should clear this. 

  • Back to top

#9



MatPerito

Posted 10 December 2022 — 04:46 am

MatPerito

    Stranger

  • Supporter
  • Pip
  • 5 posts

✓  Best Answer

If anyone still needs a fix for this, uninstall vortex -> delete every file in the installation folder and appdata/roamind/vortex.
Install it and done, but don’t use admin mode as I did (the only app I ever had issues for using on admin mode btw)

Edited by MatPerito, 10 December 2022 — 05:55 am.

  • Back to top


Основные причины SWF ошибок, связанных с файлом startup_error.swf, включают отсутствие или повреждение файла, или, в некоторых случаях, заражение связанного Debian 3.1 and Fedora Core 4 вредоносным ПО в прошлом или настоящем. Большую часть проблем, связанных с данными файлами, можно решить посредством скачивания и установки последней версии файла SWF. Кроме того, некоторые ошибки startup_error.swf могут возникать по причине наличия неправильных ссылок на реестр. По этой причине для очистки недействительных записей рекомендуется выполнить сканирование реестра.

Мы подготовили для вас несколько версий файлов startup_error.swf, которые походят для %%os%% и нескольких выпусков Windows. Данные файлы можно посмотреть и скачать ниже. В настоящее время в нашем каталоге для загрузки могут отсутствовать некоторые файлы (такие как startup_error.swf), но их можно запросить, нажав на кнопку Request (Запрос) ниже. В нашей обширной базе представлены не все версии файлов; в этом случае вам следует обратиться к Future Publishing.

После успешного размещения файла в соответствующем месте на жёстком диске подобных проблем, связанных с startup_error.swf, больше возникать не должно. Настоятельно рекомендуем выполнить быструю проверку. Повторно запустите Debian 3.1 and Fedora Core 4, чтобы убедиться, что проблема успешно решена.

Startup_error.swf Описание файла
Расширение: SWF
Тип приложения: Desktop,Desktop publishing,Development tool,Game
Program: Debian 3.1 and Fedora Core 4
Вер: Iss 70 Sep 2005
Компания: Future Publishing
 
Имя: startup_error.swf  

Байт: 7095
SHA-1: 496c3354bf80ed4fd8e6febeab7b6ff897a4b234
MD5: d88850deab68df5e24fe6fa77eb3a784
CRC32: b07f8346

Продукт Solvusoft

Загрузка
WinThruster 2023 — Сканировать ваш компьютер на наличие ошибок реестра в startup_error.swf

Windows
11/10/8/7/Vista/XP

Установить необязательные продукты — WinThruster (Solvusoft) | Лицензия | Политика защиты личных сведений | Условия | Удаление

SWF
startup_error.swf

Идентификатор статьи:   469986

Startup_error.swf

Имя ID Размер файла Загрузить
+ startup_error.swf d88850deab68df5e24fe6fa77eb3a784 6.93 KB
Софт Debian 3.1 and Fedora Core 4 Iss 70 Sep 2005
Создано Future Publishing
OS Linux
Архитектура 64-разрядная (x64)
Размер 7095
MD5 d88850deab68df5e24fe6fa77eb3a784
ША1 496c3354bf80ed4fd8e6febeab7b6ff897a4b234
CRC32: b07f8346
+ startup_error.swf d88850deab68df5e24fe6fa77eb3a784 6.93 KB
Софт Mac Format Issue 205 March 2009
Создано Future Publishing
OS Linux
Архитектура 64-разрядная (x64)
Размер 7095
MD5 d88850deab68df5e24fe6fa77eb3a784
ША1 496c3354bf80ed4fd8e6febeab7b6ff897a4b234
CRC32: b07f8346

Типичные ошибки Startup_error.swf

Частичный список ошибок startup_error.swf Debian 3.1 and Fedora Core 4:

  • «Ошибка: startup_error.swf. «
  • «Startup_error.swf перемещен или отсутствует. «
  • «Отсутствует файл: startup_error.swf»
  • «Не удалось загрузить Startup_error.swf.»
  • «Ошибка регистрации: startup_error.swf. «
  • «Ошибка Startup_error.swf во время выполнения. «
  • «Не удается загрузить startup_error.swf. «

Ошибки Startup_error.swf возникают во время установки программы, когда программа, связанная с Startup_error.swf (например, Debian 3.1 and Fedora Core 4) работает во время запуска или завершения работы Windows или редко во время процесса установки Windows. При возникновении ошибки startup_error.swf запишите вхождения для устранения неполадок Debian 3.1 and Fedora Core 4 и HelpFuture Publishing найти причину.

Причины проблем Startup_error.swf

Проблемы startup_error.swf могут быть отнесены к поврежденным или отсутствующим файлам, содержащим ошибки записям реестра, связанным с startup_error.swf, или к вирусам / вредоносному ПО.

В частности, проблемы startup_error.swf возникают с:

  • Недопустимая (поврежденная) запись реестра startup_error.swf.
  • Вредоносные программы заражены и повреждены startup_error.swf.
  • startup_error.swf злонамеренно удален (или ошибочно) другим изгоем или действительной программой.
  • Другая программа находится в конфликте с Debian 3.1 and Fedora Core 4 и его общими файлами ссылок.
  • Некомплектная установка приложения, связанного с startup_error.swf, или поврежденная загрузка.

  • #1

Valve отредактировала карты = сломали (в очередной раз) сервера сообщества
Сменились сигнатуры и тем самым сервера ушли в постоянный краш (см 1.10)

[MaZa] [HotGuard] — Failed Offset 1
[SM] Unable to load extension «hotguard.ext»:
[SDKTOOLS] Sigscan for WriteBaselines failed
[SDKTOOLS] Failed to find WriteBaselines signature — stringtable error workaround disabled.
[AntiDLL] Sigscan for Signature failed
[SM] Unable to load extension «AntiDLL.ext»: Failed to create interceptor
[SM] Failed to load plugin «hotguard.smx»: Unable to load plugin (bad header).
[SM] Unable to load plugin «AntiDLL.smx»: Required extension «AntiDLL» file(«AntiDLL.ext») not running
[SM] Exception reported: Failed to get engine poiters. Data: 0, 0, F0D92D44, F0E311CC.
[SM] Blaming: block_print_garbage_messages.smx
[SM] Call stack trace:
[SM] [0] SetFailState
[SM] [1] Line 48, d:SourcePawn1.10block_print_garbage_messages.sp::OnPluginStart
[SM] Unable to load plugin «block_print_garbage_messages.smx»: Error detected in plugin startup (see error logs)
[SM] Unable to load plugin «CrashPlayer_AntiDLL.smx»: Required extension «AntiDLL» file(«AntiDLL.ext») not running
[SM] Exception reported: Can’t get offset for «CBaseServer::RejectConnection».
[SM] Blaming: server_redirect.smx
[SM] Call stack trace:
[SM] [0] SetFailState
[SM] [1] Line 9, server_redirect/redirect.sp::SetupSDKCalls
[SM] [2] Line 198, C:UsersartDesktopaddonsёsourcemodscriptingserver_redirect.sp::OnPluginStart
[SM] Unable to load plugin «server_redirect.smx»: Error detected in plugin startup (see error logs)
[SM] Exception reported: Failed to load CBaseServer::IsExclusiveToLobbyConnections signature from gamedata
[SM] Blaming: nolobbyreservation.smx
[SM] Call stack trace:
[SM] [0] SetFailState
[SM] [1] Line 87, nolobbyreservation.sp::OnPluginStart
[SM] Unable to load plugin «nolobbyreservation.smx»: Error detected in plugin startup (see error logs)

Послетали сигнатуры
CBaseServer::RejectConnection
CBaseServer::IsExclusiveToLobby

upd: Если хотите до сих пор использовать см 1.10 linux — скачивайте архив с см 1.11 6928, оттуда переносите все файлы из папки addons/sourcemod/gamedata/ с заменой. (остальные файлы из других папок не трогайте)
Под остальные плагины исправления — ищите файлы с фиксом сигнатур в соответствующих темах.

Последнее редактирование: Суббота в 10:30

  • #661

Сервер работает минут 10-15 и крашится. Отключил папку plugins и запустил без плагинов и не крашит. Сейчас сижу перебираю, какой из плагинов крашит его.

  • #662

@j1ton, все скрипты скомпилируй под обнову, у меня всё работает, только вип шприцы не робят, жду обнову

Последнее редактирование: Суббота в 14:43

  • #663

у кого нибудь крашит при смене карты? или только у меня, все обновлено… без единой ошибки

Сообщения автоматически склеены: Суббота в 14:41

@j1ton, все скрипты скомпилируй под обнову, у меня всё работает, только вип шприцы не робят, жду обнову
upd: серв падает спустя минут 10 онлайна, ошибка чтения errors_log, не знаю в чём трабл

gamedatу обнови и все.

Последнее редактирование: Суббота в 14:41

  • #664

у кого нибудь крашит при смене карты? или только у меня, все обновлено… без единой ошибки

Сообщения автоматически склеены: Суббота в 14:41

gamedatу обнови и все.

мне не помогла обнова gamedata, у меня проблема в каком-то плагине видимо, вот сижу ищу

  • #665

у кого нибудь крашит при смене карты? или только у меня, все обновлено… без единой ошибки

Сообщения автоматически склеены: Суббота в 14:41

gamedatу обнови и все.

так же. При компиляции пишет ошибки в синтаксисе.

  • #666

У меня sourcemod 1.11 сервер отлично работает, только проблема с плагином shop_skins.smx (не выключаются скины) и с плагином res.smx (не проигрывается музыка)
Приложу свои gamedata и extensions, (не нужное вам, удалите) попробуйте.
» Не забудьте в /addons/sourcemod/configs/core.cfg «DisableAutoUpdate» поставить на «yes» «

  • gamedata.zip

    135.7 КБ

    · Просмотры: 24

  • extensions.zip

    22.1 МБ

    · Просмотры: 24

  • #667

L 02/04/2023 - 15:11:04: Info (map "de_mirage") (file "/home/server26921/game/csgo/addons/sourcemod/logs/errors_20230204.log")
L 02/04/2023 - 15:11:04: [SM] Exception reported: Failed to create native "BaseComm_IsClientGagged", name is probably already in use
L 02/04/2023 - 15:11:04: [SM] Blaming: basecomm.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] CreateNative
L 02/04/2023 - 15:11:04: [SM]   [1] Line 71, /home/builds/sourcemod/debian9-1.11/build/plugins/basecomm.sp::AskPluginLoad2
L 02/04/2023 - 15:11:04: [SM] Failed to load plugin "basecomm.smx": unexpected error 23 in AskPluginLoad callback.
L 02/04/2023 - 15:11:04: [AntiDLL] Sigscan for Signature failed
L 02/04/2023 - 15:11:04: [SM] Unable to load extension "AntiDLL.ext": Failed to create interceptor
L 02/04/2023 - 15:11:04: [Discord/DropsSummoner_discord.smx] At address g_pDropForAllPlayersPatch received not what we expected, drop for all players will be unavailable.
L 02/04/2023 - 15:11:04: [SM] Exception reported: [System Panel] [Users Chat DataBase] Failed to connection SP_users in databased.cfg
L 02/04/2023 - 15:11:04: [SM] Blaming: users_chat.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:04: [SM]   [1] Line 39, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers_chat.sp::Connection_BD
L 02/04/2023 - 15:11:04: [SM]   [2] Line 31, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers_chat.sp::OnPluginStart
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "users_chat.smx": Error detected in plugin startup (see error logs)
L 02/04/2023 - 15:11:04: [SM] Exception reported: [MA] Database failure: Could not find Database conf "materialadmin"
L 02/04/2023 - 15:11:04: [SM] Blaming: admin/materialadmin.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:04: [SM]   [1] Line 44, materialadmin/database.sp::ConnectBd
L 02/04/2023 - 15:11:04: [SM]   [2] Line 16, materialadmin/database.sp::MAConnectDB
L 02/04/2023 - 15:11:04: [SM]   [3] Line 286, materialadmin.sp::OnPluginStart
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "admin/materialadmin.smx": Error detected in plugin startup (see error logs)
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "admin/ma_mutenotification.smx": Could not find required plugin "materialadmin"
L 02/04/2023 - 15:11:04: [SM] Exception reported: [Clans] No database configuration in databases.cfg!
L 02/04/2023 - 15:11:04: [SM] Blaming: clans/clans.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:04: [SM]   [1] Line 11, clans/database.sp::ConnectToDatabase
L 02/04/2023 - 15:11:04: [SM]   [2] Line 240, A:ssmodscriptingclans.sp::OnPluginStart
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "clans/clans.smx": Error detected in plugin startup (see error logs)
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "clans/clan_createall.smx": Native "Clans_GetClientTimeToCreateClan" was not found
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "clans/clans_coinsbykill.smx": Native "Clans_AreClansLoaded" was not found
L 02/04/2023 - 15:11:04: [SM] Exception reported: [CustomPlayerArms] - Не удалось получить адрес s_playerViewmodelArmConfigs
L 02/04/2023 - 15:11:04: [SM] Blaming: CustomPlayerArms.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:04: [SM]   [1] Line 38, C:UsersanakaineDesktopxxxCustomPlayerArms.sp::OnPluginStart
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "CustomPlayerArms.smx": Error detected in plugin startup (see error logs)
L 02/04/2023 - 15:11:04: [SM] Exception reported: [System Panel] [Users Visits DataBase] Failed to connection SP_users in databased.cfg
L 02/04/2023 - 15:11:04: [SM] Blaming: users_visits.smx
L 02/04/2023 - 15:11:04: [SM] Call stack trace:
L 02/04/2023 - 15:11:04: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:04: [SM]   [1] Line 28, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers_visits.sp::Connection_BD
L 02/04/2023 - 15:11:04: [SM]   [2] Line 23, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers_visits.sp::OnPluginStart
L 02/04/2023 - 15:11:04: [SM] Unable to load plugin "users_visits.smx": Error detected in plugin startup (see error logs)
L 02/04/2023 - 15:11:05: [SM] Unable to load plugin "vip/vip_clancreate.smx": Native "Clans_SetCreatePerm" was not found
L 02/04/2023 - 15:11:05: [SM] Unable to load plugin "Admins.smx": Could not find required plugin "materialadmin"
L 02/04/2023 - 15:11:05: [SM] Exception reported: [System Panel] [Users DataBase] Failed to connection SP_users in databased.cfg
L 02/04/2023 - 15:11:05: [SM] Blaming: users.smx
L 02/04/2023 - 15:11:05: [SM] Call stack trace:
L 02/04/2023 - 15:11:05: [SM]   [0] SetFailState
L 02/04/2023 - 15:11:05: [SM]   [1] Line 44, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers.sp::Connection_BD
L 02/04/2023 - 15:11:05: [SM]   [2] Line 21, c:UsersauthtDesktopplugins-syspaneladdonssourcemodscriptingusers.sp::OnPluginStart
L 02/04/2023 - 15:11:05: [SM] Unable to load plugin "users.smx": Error detected in plugin startup (see error logs)

есть фиксы этих плагинов?

  • #668

У меня sourcemod 1.11 сервер отлично работает, только проблема с плагином shop_skins.smx (не выключаются скины) и с плагином res.smx (не проигрывается музыка)
Приложу свои gamedata и extensions, (не нужное вам, удалите) попробуйте.
» Не забудьте в /addons/sourcemod/configs/core.cfg «DisableAutoUpdate» поставить на «yes» »

включаю сервер и при запуске он включается но в консоле пишет Could not establish connection to Steam servers.

  • #669

Тоже замечаю краши, но пока понять не могу из за какого плагина…

  • #670

L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVServer::BroadcastLocalChat failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVServer::BroadcastLocalChat detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVDemoRecorder::StartRecording failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVDemoRecorder::StartRecording detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVDemoRecorder::StopRecording failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVDemoRecorder::StopRecording detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Failed to get CHLTVServer::m_DemoRecorder offset.

gamedata sourcetvmanager.

  • #671

Тоже замечаю краши, но пока понять не могу из за какого плагина…

Попробуй выключить всё, что связано со скинами(shop, ws, vip)

У меня к примеру после оф. Фикса не стартовал сервер с ws о фени.

И осталась одна ошибка:

[CSTRIKE] [CStrike] Failed to locate NET_SendPacket signature.

Решил попробовать перейти на 1.12 но без изменений, ошибка так и осталась.
Можете подсказать, что это и как решить? Буду очень благодарен

  • #672

L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVServer::BroadcastLocalChat failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVServer::BroadcastLocalChat detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVDemoRecorder::StartRecording failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVDemoRecorder::StartRecording detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Sigscan for CHLTVDemoRecorder::StopRecording failed
L 02/04/2023 - 15:29:43: [STVM] CHLTVDemoRecorder::StopRecording detour could not be initialized.
L 02/04/2023 - 15:29:43: [STVM] Failed to get CHLTVServer::m_DemoRecorder offset.

gamedata sourcetvmanager.

Решение.

  • sourcetvmanager.games.txt

    12.5 КБ

    · Просмотры: 14

  • #673

есть какие ни будь рабочие gamedata и extensions на 1.11 то уже все перепробовал нечего не хочет запускаться

  • #674

есть какие ни будь рабочие gamedata и extensions на 1.11 то уже все перепробовал нечего не хочет запускаться

листай тему, тут всё скидывали.
У меня всё запускается и всё работает, но вот проблема в том что у меня сервер онли мираж, и почему он меняет карту на рандомную и сервер крашится.

  • #675

листай тему, тут всё скидывали.
У меня всё запускается и всё работает, но вот проблема в том что у меня сервер онли мираж, и почему он меняет карту на рандомную и сервер крашится.

те которые кидали не работают

  • #676

Есть у кого сошка феникса под 1.11?

  • #677

кинте пожалуйста basecomm.smx рабочий

  • #678

Есть у кого сошка феникса под 1.11?

На 1.11 нет сошки, если не ошибаюсь

  • #680

у кого то было что тоже не робит AntiDLL?

Unable to load plugin "AntiDLL.smx": Required extension "AntiDLL" file("AntiDLL.ext") not running

Понравилась статья? Поделить с друзьями:
  • Volvo ошибка b1d1787
  • Vnc error problem connecting some problem centos
  • Volvo xc90 ошибка p0700
  • Vnc error 1 after security negotiation
  • Volvo xc90 ошибка dem p188914