Jump to content

Leaderboard

Popular Content

Showing content with the highest reputation on 07/21/10 in all areas

  1. Делаю модель F-117. точнее уже сделал и занимаюсь облегчением. дальше хочу впервые попробовать вставить в игру. Правда пока многовато треугольников. но надеюсь, что все получится. By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20 By n_tron at 2010-07-20
    2 points
  2. No anger, just confusion. You posted a thread about switching HOTAS systems, defended the system you wanted to buy when it was flagged that it had some bad feedback and generally ignored any advice and input in your whole thread. The thread *almost* seemed like it was weighing the pros and cons, but it's clear you made the decision to get the G940 regardless... so why create a thread at all? It's a bit like bumping into a friend in the street and saying "G'day mate, how are you?" and as they start to reply you run around wildly with your hands over your ears screaming "lalalalalalalalalalala!".
    2 points
  3. Greetings, It is my first post on this forum. It is great to be part of this community! I would like to introduce to you my first DCS: BS mod as well as my first lua scrpt:) I have created input shortcuts which are taken from user configuration rather than from script file itself. Mod can be downloaded from here. (ModMan 7.3.0.0 compatible) Screenshots: - custom tooltips text - custom tooltips size and lifetime - tooltips size comparision And the readme.txt: -------------------------------------------------------------------------------------------------------------- Input shortcuts on Cockpit Tooltips v. 1.0 10 July 2010 -------------------------------------------------------------------------------------------------------------- OVERVIEW -------------------------------------------------------------------------------------------------------------- 1. Introduction 2. Package contents 3. Instalation / uninstalation 4. Script files info 5. Known/predicted issues and limitations 6. ToDo 7. Thanks to 8. Contact 1. INTRODUCTION -------------------------------------------------------------------------------------------------------------- NOTE 1: This package was created to extend great mod "Tooltips with Keyboard Shortcuts" created by Miguez (many thanks for the inspiration). Thread about this mod can be found on ED Forums ( http://forums.eagle.ru/showthread.php?p=615135#post615135 ). NOTE 2: Another usefull mode I have extend in this package is the "Cockpit Tool Tips (Hints) improved visibility" mod created by Bucić (thanks for excelent start point) ( http://forums.eagle.ru/showthread.php?p=890758#post890758 ) What it extends? No key shortcuts are hardcoded into the scripts. Shortcuts are taken from current user configuration before the mission load. Tooltips format is widely configurable. (even too widely, perhaps) Tooltips size and lifetime is configurable from within gameplay menu. What are the benefits? Shortcuts are always compatible with your configuration, even if the configuration has changed. Background of my work is really simple. I have noticed that when we change some key bindings we have to change originally modifed (see Note 1) clickabledata.lua script manually. As a result we have two places where our bindings are stored. I was digging up tons of LUA scripts to find a way to link cockpit tooltips with the input commands programatically. Finally, oryginal game hints have been extended by the key sequence currently bound to each input option, so there is no need to modify clickabledata.lua file in case of key binding changes. 2. PACKAGE CONTENTS -------------------------------------------------------------------------------------------------------------- This package consist of: BlackShark\modules\me_options.lua - widget bindings/load/save BlackShark\modules\me_options_form.lua - labels initialization BlackShark\modules\dialogs\me_options_gameplay.dlg - new widgets to configure tooltips Config\tooltips.cfg - Tooltips configuration file FUI\Resourcesbs\DHint.res - hints lifetime and delaytime and size Scripts\Aircrafts\Ka-50\Cockpit\clickabledata.lua - entry point for hint_map.lua script Scripts\Aircrafts\Ka-50\Cockpit\hint_map.lua - searches for input mappings 3. INSTALLATION / UNINSTALLATION -------------------------------------------------------------------------------------------------------------- Before instalation make sure that you back up all your oryginal/modified files listed above. Installation/unistallation using ModMan 7.3.0 or later is adviced. Mod is compatible with DSC: Black Shark v.1.0.2 In case of any conflicts with any existing mods or serverside files, please inform me by email. (My email address is at the bottom of this file) 4. SCRIPT FILES INFO -------------------------------------------------------------------------------------------------------------- First of all. It seems that files can be unreadable to the game when edited with unsupported encoding. All files provided in this package are encodd with UTF-8. hint_map.lua This file has three purposes: A. Read all user input configuration and store it in local table for further use. B. Create mapping between cockpit switches and input options available to the player. C. Replace old LOCALIZE function implementation with the new one. A. ______________________________________________________________________________________________________________ package.path = package.path .. ';./blackshark/modules/?.lua' local NewInput = require('NewInput') dofile('scripts/input/layout.lua') dofile('scripts/input/aircrafts.lua') local oldGetDeviceType = getDeviceType ______________________________________________________________________________________________________________ These lines initiate oryginal tools which provide support for input configuration files. ______________________________________________________________________________________________________________ local function addDeviceCommandCombos(commands) ______________________________________________________________________________________________________________ This function adds all key shortcuts for specific command to local variable inputShortcutsMap. ______________________________________________________________________________________________________________ local cfg_path = 'Config/Input/Aircrafts/' local aircraftName = 'ka-50' ______________________________________________________________________________________________________________ Some named strings. local devices = NewInput.getDevices() ______________________________________________________________________________________________________________ Gets all devices currently detected by the game. ______________________________________________________________________________________________________________ for i, device in pairs(devices) do local path = getLayoutPath(aircraftName, device) local layout = Layout() layout:open(path) addDeviceCommandCombos(layout.keyCommands) addDeviceCommandCombos(layout.axisCommands) end ______________________________________________________________________________________________________________ Function "getLayoutPath" finds configuration file path for input device in hierarchical manner ('\Config\Input\Aircrafts\ka-50\keyboard\keyboard.lua' or '\Config\Input\Aircrafts\ka-50\keyboard\default.lua') For details see 'scripts/input/aircrafts.lua' file. Next the Layout wrapper object is created based on configuration file. Then keyCommands and axisCommands are added to map. B. ______________________________________________________________________________________________________________ hintInputMap = {} -- CPT MECH hintInputMap["Gear lever"] = {"Gear lever"} (...) -- ZMS_3 (Magnetic Variation Entry Panel) hintInputMap["Magnetic variation selection rotaty"] = {["Left"]="Magnetic variation knob left", ["Right"]="Magnetic variation knob right"} ______________________________________________________________________________________________________________ In this part mapping is created for each hint. For example, "Gear lever" has only one function which is titled exactly the same "Gear lever" in options menu. But "Magnetic variation selection rotaty" has two functions: "Magnetic variation knob left" and "Magnetic variation knob right", thus first function shortcut will be displayed on the tooltip as "Left = ( RShift + RCtrl + M )" and the second one as "Right = ( RShift + RAlt + M )". Finally, the whole tooltip will looks like this: "Magnetic variation selection rotaty Left ( RShift + RCtrl + M ) Right ( RShift + RAlt + M )" C. ______________________________________________________________________________________________________________ local function getInputShortcuts(input, key) ______________________________________________________________________________________________________________ This function builds shortcut string for specified input option (ie. "Magnetic variation knob left") and key (ie. "Left"). If the control has only one function, key will be equal 1 and won't be added to shortcut string. ______________________________________________________________________________________________________________ local OLD_LOCALIZE_REALIZATION = LOCALIZE function LOCALIZE(hintText) ______________________________________________________________________________________________________________ Input mapping search. Replacing of the LOCALIZE function in order to change tooltip string (proposed by Alex O'kean on ED Forums http://forums.eagle.ru/showpost.php?p=615249&postcount=7 ) 5. KNOWN/PREDICTED ISSUES AND LIMITATIONS -------------------------------------------------------------------------------------------------------------- - I have found no explicit linkage of cockpit controls with the key codes placed in input configuration. All mappings are done manually. - It would be nice to have shortcuts placed below the switch tooltips in a multiline manner. (this is imposible at this time due to tooltip size calculations - no "\r" nor "\r\n" extends its height) - Several tooltips are really long. - Mod has been tested only with English version of DCS: Black Shark. It should work in Russan version as well (old LOCALIZE function is still in use), but it should be checked. - New gameplay Menu options are always English. I have found no way to localize them. - This is my first LUA script so there should exist a simpler way to get the same effect with more reliable approach. - Only the "Real mode" shortcuts are supported. They are also displayed in Arcade mode. (I don't know how to get the name of the current aircraft in lua script) 6. TODO -------------------------------------------------------------------------------------------------------------- - Add support for 'arcade' mode - Multiplayer may be affected. Dont know how the server may react on such modifications. 7. THANKS TO -------------------------------------------------------------------------------------------------------------- Thanks to Bucić for his DHint.res file attached to this package 8. Contact -------------------------------------------------------------------------------------------------------------- In case of any issues, corrections or bugs feel free to contact me using email provided in readme.txt file. -------------------------------------------------------------------------------------------------------------- Hopefully this mod will save your time and help to master the cockpit of the Black Shark. Happy flying, Hubert 'Baal' Bukowski
    1 point
  4. Если запустить ЛО2и ЧА без предварительного пуска ФрееТрека В настройках игры ОСИ колонки Трекира НЕТ.
    1 point
  5. даже от ЕД помехи мешают противнику (простите за тавтологию) при входе в бой. Вот когда ее прожгли, то она уже бесполезна, с этим соглашусь )
    1 point
  6. Still a fave and Ukrainian so Lockon theatre relevant.....
    1 point
  7. про "от 0 до 60" - наглая ложь. Это не температура окружающей среды - это температура диска. 60-65 - критическая для многих винтов. Идеальная температура для работы винта - 30-40 градусов. У меня было под 40 в "тихих ящиках" со 120мм обдувом. Недавно *как угадал то, перед жарой* вытащил их из ящиков, повесил на простые переходники в 5.25 отсек (где и дует этот 120мм вентилятор) и поставил на них куллеры от scythe - вуаля! Температура в комнате - 30-32 градуса, винтов - 36-37. До этого был 40 при 24. При 27 (вчера дождик был) температура винтов была 30-33 градуса. Касаемо проца - смотреть спецификацию проца. У моего - 62 градуса критическая, в жару до 66 может греться, однако, термозащита не срабатывает пока. (@4Ггц) Вообще перегрев проца не очень страшен сегодня - термозащита есть на всех. Мать - опять же, зависит от конкретной матери. Если цепи питания заявляют время работы 50 000 часов при температуре 105 градусов - сам понимаешь. Остальные компоненты - северный мост, южный мост... у меня лично в жару под нагрузкой без дополнительного обдува греются примерно до 70-75 именно чипы, сам термодатчик на матери показывает под нагрузкой 52-55, в простое при 27 было 37. Минимальная планка в биосе термозащиты северного и южного мостов у меня - 80 градусов. По дефолту стоит 100. И это при том, что на мою мать были жалобы от юзеров - что при сборке допущена кривость, чип не касается радиатора, а снятие радиатора снимает гарантию. У меня возможно чип так же не касается радиатора - но пока не критично, да и возможности матери хорошие. В общем то в основном стоит заботиться о температуре винтов - ибо нежные они на самом деле. Все остальное - "суровое, сибирское", под такие температуры более менее предназначены, если качественные, а не мать за 1.5т.р.... Например у меня в нынешней жаре под нагрузкой не то что компоненты - мне корпус руки обжигает! В районе питальника - вообще мрак. Но сам питальник работает спокойно, вентилятор на 1000 оборотов. Проверял, когда ему было действительно жарко - работает на 1200 и выше. И более того - если уж совсем все хреново - во-первых - термозащита, во-вторых он продувается после выключения компа, если перегрет. У меня пока ни разу не продувался. Температура видеосистемы - аналогично, у нее есть свой куллер, своя система управления им, сделанная не идиотами - и любой перегрев видеокарты, заметный визуально (артефакты) - достаточно далек от критического, разве что опять же - это карточка не за 1.5т.р. *утрирую* с фиговым нулевым охлаждением, особенно цепей питания. Плюс опять же - термозащита. Я например имел профиль АФК для карт, где ставил минимальные фиксированные обороты вентилятора на карте. Несколько раз забывал про это. И несколько раз в играх тяжелых при превышении определенной температуры в дело вступал биос карты и принудительно ее продувал, показывая кукиш системе управления вентилятором в дровах.
    1 point
  8. Полагаю с помехами от ЕД, а не "реальными"... я РЭБ вообще не юзаю, описанный тобой нюанс + 15 секунд + 40 км прожига делают РЭБ абсолютно бесполезной, уж лучше на Су-27 еще 2 73 нацепить.
    1 point
  9. Вчера при установке ЧА закончились активации, написал письмо в техподдержку 1С и через 1 час +2 активации. Мелочь, а приятно )
    1 point
  10. Not really important but how important is a dual throttle to this simulation?
    1 point
  11. 1 point
  12. На каждое определение можно найти свое переопределение. Я рассказал, как оно проявляется. Может это и сваливание, может и еще что. Мне, в силу природной глупости, сие можно и не знать. Начинается это самопроизвольное кренение при снижении скорости, и все было б ничего за одним но - если его вовремя и энергично парировать - то явление прекращается и дальше модель ведет себя вполне устойчиво. Спорить и дискутировать на эту тему с по определнию умными членами команды ЕД больше не буду. ЗЫ. Вы дошли до стадии УНВП при каждой модификации ФМ. Поздравляю.
    1 point
  13. Спрашиваю, потому что интересно что за явление. Сколько летаю, никогда не сталкивался с "прогрессирующей валежкой". Максимум что было, это кратковременное сваливание, вызванное превышением допустимого угла атаки и потерей скорости. При этом самолет по крену был управляем, хоть и плохо. Исключительно, при загрузке топливом выше 35%. Незначительная валежка наблюдалась при привышении максимальной скорости, и даже не то что валежка, а реверс при работе русом по крену. Но как это с ганзо соотноситься - непонятно. Хотя может я ганзо не так много и качественно летаю, как автор.
    1 point
  14. The new Boeing Dreamliner 787 escorted by two Spitfires today in Farnborough
    1 point
  15. Leave the guy alone... he's happy he took the plunge. "Praise is like sunlight to the human spirit: we cannot flower and grow without it."
    1 point
  16. Сегодня тест кампании завершен. Проявлений "трековости" за последние 12 тестов (6 миссий) не было. Именно поэтому и решил "ОВ" выкладывать кампанией, а не пакетом миссий.
    1 point
  17. На истребители температура никак не влияет, только на АФМ Су-25 и Ка-50.
    1 point
  18. Thanks, but: http://forums.eagle.ru/showpost.php?p=939401&postcount=167
    1 point
  19. Just a glimpse at skin #3
    1 point
  20. Set left toe/right toe to bands and then make a decent spacing. I've got mine set to 0-25% - nothing 26-85% - brakes 86-100% - nothing Works like a charm
    1 point
  • Recently Browsing   0 members

    • No registered users viewing this page.
×
×
  • Create New...