Leaderboard
Popular Content
Showing content with the highest reputation on 11/12/08 in all areas
- 
	Еще одна маленькая модификация. Если кто не в курсе - в игре есть масса команд, которые можно передавать в сим, но которые не выведены в настройки управления. В настройках доступно 499 команд, тогда как их всего около 900. Самым ярким примером таких команд являются пары команда типа "включить/выключить". Н-р команда "выпустить шасси" и "убрать шасси". В игре это выведено на одну команду "перевести шасси в противоположное положение". Если у вас есть панели или тумблеры, и вы хотите сделать выпуск шасси и уборку на разные кнопки, по умолчанию это не возможно. Для включения этой возможности необходимо отредактировать скрипт устройства - клавиатуры и/или джойтстика и/или мыши. Скрипты устройств находятся в папке ..\Config\Input\Aircrafts\ka-50\ в подпаках keyboard, joystick и mouse соотвественно. Скрипты клавиатуры и мыши так и называются - Клавиатура.lua и мышь.lua и они в одном экземпляре, а вот скрипты джойстиков именуются по другому и их ровно столько, сколько у вас джойстиков. Правило именование файла джойстиков таково: Имя_джойстиска_в_системе {GUID_джойстика}.lua Н-р у меня в системе 2 джойстика - PPJoy и Saitek X52, соотвественно и 2 файла: PPJoy Virtual joystick 1 {5392F1B0-9D4B-11dd-8001-444553540000}.lua Saitek X52 Flight Control System {F7ACB6F0-862B-11dd-8001-444553540000}.lua Теперь о содержимом. Внутри скриптов содержится переменная options, в которую входит 3 массива - в одном ("keyCommands") содержатся все кнопки, в другом ("forceFeedback") содержатся настройки отдачи, в третьем ("axisCommands") - настройки осей. В данном посте будут рассмотрены только настройки массива "keyCommands". Общее описание элемента массива "keyCommands": [1] = { -- "combo" - описание клавиши, на которую настроена данная команда. ["combos"] = { [1] = { -- собственно клавиша, в данном примере - H на кливиатуре ["key"] = "H", -- модификаторы, их может быть несколько ["reformers"] = { [1] = "RAlt", [2] = "RShift", }, -- end of ["reformers"] }, -- end of [1] }, -- end of ["combos"] ["name"] = "Command Name", -- Название команды ["category"] = "Group", -- группу настроек -- Далее идет описание ["действие"] = код команды -- код команды зашиты в сам симулятор ["down"] = 1, -- нажатие кнопки ["up"] = 2, -- отпускание кнопки ["pressed"] = 3, -- команда повторяется, пока кнопка нажата }, -- end of [1] Первый вопрос - где смотреть коды команд. Ответ прост - в самом файле кнопок, который мы сейчас редактируем (если мы хотим что-либо поменять) и в файле Export.lua, в комментариях к функции LoSetCommand Вернемся к нашей задаче. Для примера мы хотим на комбинация RWin+G повесить команду "убрать шасси", на комбинацию RWin+RShift+G - "выпустить шасси". Находим команду "Шасси, кран" в скрипте клавиатуры, её номер - 139, выглядет она вот так: [139] = { ["combos"] = { [1] = { ["key"] = "G", }, -- end of [1] }, -- end of ["combos"] ["name"] = "Gear lever", ["category"] = "Ins Forward panel and gauges", ["down"] = 68, }, -- end of [139] Всего команд - 499, соотвественно нам надо создать 500 и 501, и добавить их в конец массива "keyCommands" вот таким образом: [500] = { ["combos"] = { [1] = { ["key"] = "G", ["reformers"] = { [1] = "RWin", }, -- end of ["reformers"] }, -- end of [1] }, -- end of ["combos"] ["name"] = "Test Gear Up", ["category"] = "Ins Forward panel and gauges", ["down"] = 430, }, -- end of [500] [501] = { ["combos"] = { [1] = { ["key"] = "G", ["reformers"] = { [1] = "RWin", [2] = "RShift", }, -- end of ["reformers"] }, -- end of [1] }, -- end of ["combos"] ["name"] = "Test Gear Down", ["category"] = "Ins Forward panel and gauges", ["down"] = 431, }, -- end of [501] Вот и всё. Причем мы можем даже не вставлять секцию ["combos"], а настроить кнопки непосредственно из интерфейса игры - новые команды будут там достпуны. Вот так это выглядет в интерфейсе игры после модификации: Точно также нужно модифицировать файлы скриптов джойстиков.2 points
- 
	Первое, что хотелось бы отметить - Поиск по слову "LUA" на форуме возвращает 0 результатов. LUA (ru.wiki) - скриптовый язык, используемый в DCS (как и в ЛО) для: - описания практически всех настроек - взаимодейтсвия симулятора с внешним миром - описание многих параметров симуляции - много еще чего (в треках, миссия и пр.) Ссылки по теме: http://www.lua.org/ - официальный сайт http://www.lua.org/pil/ - Programming in LUA, документация http://lua-users.org/ - не официальный сайт http://www.lua.ru/ - русский сайт по LUA Статья на русской части википедии (крайне рекомендуется!) "Введение в LUA" на GameDev.ru "Создание встраиваемых сценариев на языке Lua" на DeveloperWorld IBM Примеры проектов на LUA для LO\DCS Virtual Panel от Mnemonic Controlling Lockon from another application using lua1 point
- 
	As you all know MS disabled hardware acceleration of DirectSound3D in Vista, only OpenAL was left. This brings sound problems in games which are using DS3D/EAX. Creative released ALchemy for their soundcards, which intercepts DS3D calls and transforms into OpenAL. This solution is well known. But now Realtek at last developed their own alternative. Most of the built-in soundcards are made on Realtek chipsets. So here it is 3D Sound Back Beta 0.1 mirror1 mirror21 point
- 
	Всем привет! Вот и первый мой ролик, не только первый в ЧА, но и первый мой вообще :) Так что не судите слишком строго. Как там... первый блин комом... плохой опыт - тоже опыт... и так далее :) Доступен в 2х вариантах: 1 тут 253Mb HD 720p (рекомендуется) - 1280х720@25fps DivX 5552kbps 320kbps mp3; зеркало1: часть1 часть2 часть3; зеркало 2: 7zip 2 тут 71,7Mb - 640х360@25fps XviD 1404kbps 257kbps mp31 point
- 
	1 point
- 
	1 point
- 
	Вот, что ответили мне на 1С: > ======================= СООБЩЕНИЕ =============================== Добрый день, Владимир. У тех пользователей, которые жаловались на подобную ошибку, в т.ч. и пользователь писавший сообщения на вышеуказанном Вами форуме (NAEMNIK), была проблема в следующем. В менеджере с помощью которого происходит скачивание файлов не указывалось свойство к скачиваемой ссылке, что требуется авторизация. Укажите в своем менеджере в свойствах, что доступ требует авторизации и пропишите Ваши логин и пароль для нашего сайта. Либо если у Вас другая ошибка, то опишите, пожалуйста ее подробнее. По возможности приложите ее скриншот (например, того же лога). С уважением, Давыдова Светлана Служба поддержки интернет-магазина online.1c.ru >=============================================================== ---------------------------------------- Проще говоря надо сделать следующее. В Download Master: Инструменты => Менеджер сайтов => Добавить В поле "сайт": http://online.1c.ru/ Аутентификация Пользователь: - Имя на сайте 1С. Пароль: - Пароль на сайте 1С. Потом => OK ---------------------------------------- Далее заходи на сайт 1С под своим именем и скачивай купленный продукт...1 point
- 
	В плане? Припроста производительности я не заметил.. А прирост ожидаемого времени заметил :)1 point
- 
	1 point
- 
	2 2803serg: Деталировка, конечно, повыше "локоновской"... а вот здорово анимирована - это в каком месте? p.s. скромное мнение: конечно, взять приличные чертежики, увеличить детализацию - дело, безусловно, хорошее. Но анализ-то фотографического материала можно было бы и провести. А так: обводы - более-менее "ок", а "косяков" более чем достаточно. Причем, большая часть из них "ловится" по фотам на раз...1 point
- 
	1 point
- 
	Can we please concentrate on this magnificient model the guys are building? I deleted the off-topic stuff and don't want to see this discussions back in here.1 point
- 
	1 point
- 
	Laivynas Moderator/ED Testers Team ИЛС - ДИСС - путевая скорость "Будильник" - Пито - приборная скорость "Шквал" - тоже, что и "будильник" АБРИС - СНС - путевая скорость1 point
- 
	На АС танк должен взять ты и ракету противотанковую запустить управляемую:D Скорее сборы на военке:D1 point
- 
	I don't know if you've made any changes since I last commented, but NOW you're cookin! Looks great, lovely detail on the engine intakes.1 point
- 
	прошлым летом захотелось мне попробовать себя в новой, не изведанной до сели, отрасли - клипмейкерсвте (зарекся больше этим не заниматся, неблагодарное это дело) как вы понимаете, дело за выбором видеоряда не стало, да и музыка как раз подходящая попалась. в итоге получилось то, что можно наблюдать по следующей ссылке http://ifolder.ru/9012354 особой "крутизной" клип не отличается (пару мелких недочетов+нестандартное расширение, спец. под широкоформатные монитор делал), но гордится есть чему)))) если не жалко 90мб трафика качаем p.s. не очень хотел создавать новую тему, но подходящей, уже сушествующей, не нашел (кроме темы от Veter "Клип", но мне не хотелось влазить туды), так что "маємо, що маємо":music_whistling:1 point
- 
	Hey all, first post and a topic that I may actually be able to ad to. Anyway this is a walk through of how I set up all games for track IR. I love the thing so much now I won't even play any driving/flying/sim games if they do not support trackir. I picked it up instantly in flight sims but had a bit of a learning curve in car sims for some reason but like I said I could not ever play without it again. Screw you mouse look! Back to the point of this post, how I use the thing.. it may help you. Make a Custome Profile First. Firstly always make sure you update it. If it doesn't work in a game it is meant to then this is the first thing you look at then slap yourself. Make sure it's running (Yah obvious but yah know) Click on the Profiles Tab. You then have basically 2 list boxes. The top one has a list of games(Title, Auto-Load Profile) it supports at the version level you have. The second list box is down the bottom, "Available Profiles". It will have stuff like DEFAULT PROFILE, FLIGHT ETC. Click on FLIGHT to highlight it, it be a sample profile. Below that you will see 4 buttons, New, Edit, Delete, Copy. Click Copy. Now check the Available Profiles box and you will see a new profile there for you called "Copy of Flight" Now left click "Copy of Flight" and then using the buttons below click "Edit" Click the "General" Tab and rename it to blackshark. OK that so it closes the box. Now go back to the top window and select the title Black Shark. To the right of that you will see there is a drop down box with "Default profile" in it. Click on that and change it to the new custom profile you have created called "Black Shark" Now thats done you should have in the top window the title "Black Shark" with a Auto-loaded profile called "Black Shark". Congrats that's a custom profile and now to make it work well. I will tell you how I set up the profiles that made it all make sense to me, others may differ but this is what I like to do. Setting it up. Double click you custom profile "Black Shark" in the available profiles window. There will be General. Motion and Hotkeys TAB's. Click motion if it is not already there for some reason. Double click Yaw in the Axis list. You should be in the curve editor. You should see 2 drop boxes at the top (Axis and Acceleration) with a graph below it. Click the Acceleration Drop box and select Linear. Notice the straight line in the graph. Now on the right of the graph you see a couple of up/down selctor thingoes. Go to the "Shift Entire Curve" one and set it for something low like 5. Don't click the position of value boxes, just the "Shift entire curve" one. The line should be nearly at the bottom now. Yeah its low but this is for a reason :) Ok now you have done that at the very bottom of the Curve editor under the graph you see a drop box.. "Copy curve to axis:", select ALL and click copy. Click ok What you have just done is to make a custom profile that had every movement set to 5 and is in a linear fashion. That means no weird curves or anything. It mean basicaly how you move your head is exactly how you head moves in game. To me this is the only way, curves don't give me intuative movment. Now on to fine tuning. I will assume blackshark is like any other game and can be tab'ed out of on the fly. You should have 2 windows still open for Trackir. The one with all the profiles and the one where you can edit the profile, particularly black shark. Now start the game and get in the chopper. Best to be landed at this point. Your head in game should be swinging around but not much (Remember low settings). Now look directly at the middle of your screen and press the center key. The default would be f12. Ok move your head around, start with just left and right. It is probably crap and you have to turn your head stupid amounts to see a full panorama. What you want to do here is to set it up so you don't have to turn your head large amounts. So Tab out and adjust JUST the Yaw curve. Double click on it and "Shift enitre curve" up a few notches. Ok it and tab back into the game. Look directly at the center of the screen and press f12 again. Now look left and right and notice the difference. Do the above again until you are happy. Do the same for Pitch and Roll. X,Y and Z I usualy bump right up so I don't actualy have to move my real body much in the chair. Some Tips: Do not wear any high vis clothing. Trackir will freek on it, same with bright lights, nice reflective things or direct sunlight behind you. Be carefull not to set the sensitivity to high. For example you have it set so you move your virtual head behond the bounds of game. I like to set it up so I almost hit the game limits moving my head comfortably and can only exceed the game limits by moving my head into an uncomfortable position. Seems to help keep it calibrated and it a much better "feel" to it. Anywhere the above should give you a good basis of where to start and more importantly a good idea of how it works so you can then set it up the way YOU like it. You may end up liking curves and stuff, who knows but now you should have a nice basis for understanding how to play with your new toy. Hope the above helps, probably long winded etc but I am so bored :joystick:1 point
- 
	1 point
- 
	1 point
- 
	I have got enough in my account to purchase a download version of black shark, so if it makes it easier for someone to pay me via paypal i will do it for you, first to pm me gets it.1 point
- 
	Читал, читал - не могу молчать ! Я пошёл другим путём...всё работает отлично. Ни одного зависа за несколько дней. Я просто разогнал процессор до 3.85 Ghz с 2.66 Ghz. Уже слышу рекомендации так не делать. Но хочу сказать это самая лучшая оптимизация для игры в моём случае. Мой процессор: Intel Core 2 Duo E6750 (2667MHz, LGA775, 4096Kb, 1333MHz) 45nm. Материнка: ASUS P5K-E AP/Wifi Модули памяти: Samsung M3 78T2953EZ3-CF7 DDR 2 800 Mhz (очень дешовые) Сразу скажу, я с компом "на ты" с 1992 года. С разгоном "на ты" с 2001 года всегда. Не одного CPU не спалил. Всегда разгонял не менее чем на 30% иначе мне это не нужно. Во первых разгон может сократить срок службы проца если: 1) Сильно завышенно напряжение. Для данной модели более чем на восемь сотых вольта. 2)Процессор плохо охлаждается. Температура в ядрах должна быть не более 75 градусов (при погрешности+ / 3 градуса) 3)Может пострадать(года через 2) система питания ("посохнут" ёмкости возле гнезда проца. У меня они кажется полимерные. Но я их оградил от нагрева на всякий пожарный. Во вторых я разогнал свой до 4 GHZ спокойно, но всегда оставляю запас, поэтому откатился до 3.85 GHZ. Все остальное оставил на номинале через понижение частоты(в моем биосе через Auto) Т.е. гнал по шине. Да и чуть не забыл, когда я покупал проц, то естественно я выбрал со степпингом B ревизия G0 . Всё предидущее тухляк. С такой ревизией мне даже не пришлось поднять напряжение Vcore - штатное.Видюху не гнал ибо 8800 GT смысла гнать нету вообще. Тем более для "Акулы". Да и честно говоря чипы видюх делают гораздо паршивее камней "Core 2". В третих "Акула" не нагружает проц как две программы одновременно: S&M и Prime95. А под ними ошибок за сутки не случилось. Температура под ними 75 по цельсию. Под игрой 59-60 по цельсию. Использовал здоровенный тихий !кулер со мегаздоровым радиатором (800 рублей ) и пасту кпт-8. Всё другое - шлак. Далее по теме: В биосе я отключил троттлинг. Кажется C1E или что то подобное. Прошил BIOS последней прошивкой (иначе не работала авторегулировка оборотов кулера) В настройках игры я ограничил FPS 27 кадрами. Разрешение кабины стоит 512 (не каждый кадр). Разрешение игры 1600x1200. Всё остальное на макс. Тепл. воздух выключен. От штатной частоты и MaxFPS Off до 3.85GHZ и Max=FPS 27 я выиграл суперплавную игру вообще без фризов и рывков стабильно на 25-27 FPS. Без ограничения FPS я выиграл в среднем еще +12 FPS. (В других играх тоже ништяк) Вот такой "апгрейд" компа за 800 рублей. Кто может оспорить ?1 point
- 
	Было интересно посмотреть на Rise Of Flight, NecroVision, Анабиоз. В остальном достаточно скучно. Выкладываю несколько фотографий с первого дня выставки.1 point
- 
	1 point
- 
	1 point
- 
	кто нибудь знает как сделать в ка 50 обзор мышкой. Почему оси не могу настроить, в настройках "управление" кнопка оси просто не активна ни на джое ни на мышке.1 point
- 
	GUIDE I have never tried making a PDF file, so im going to stick to what i know, but here is a simple guide to buying the russian download version of black shark. 1.Go to this site http://online.1c.ru/games/game/3311585/ , click the little symbol that looks like a dollar $ 2.Now you should see a screen with 2 blank fields, one for username and one for password, if you have already registered then proceed to the webmoney part of this guide , if not then click the top most BLUE BOLD link of the five BLUE links. 3.Now you should see the register screen, use google translate to change the page to english, then fill the fields in this order NAME: Dwayne NAME: Dibbly USERNAME: DwayneDibbly PASSWORD: ****** (six letters) PASSWORD: ****** (put the same one) EMAIL: dwaynedibbly@dibbly.com COUNTRY: i struggled to find mine, which is UK, or ENGLAND, it is on here as BRITAIN, and not in alphebetical order either. Make sure you tick the box that accepts terms and conditions, then fill in the letters from the image and then click the button registration. 4.Now there is a screen saying you dont have enough rubles in your account, leave this open whilst we now make a new webmoney account. WEBMONEY 1.First lets go to the site http://www.wmtransfer.com/ then click the button SIGN UP NOW. 2.This part is in english and doesnt need much explaining, just fill it all in,and press next/finish, they will send a code to the email address you gave them, copy this code and paste it onto the next screen on the web money page, press proceed. 3.Then you will recieve a text message on your mobile/cell phone, put this code from the message onto the next screen on web money page, press proceed. 4.Now we are on a screen where we must download the web money program, click to download the english version of keeper classic, if the link wont work then use this one http://download.webmoney.ru/wme2.exe, follow the install instructions. 5.Once its installed then click where it says to click on the download webpage mentioned in step 4, the program should now start, asking for the reg code, if it isnt there just copy and paste it from the email from earlier, press next, then put your password in both of the fields, press next, follow instructions. 6.The next screen of the program shows your WMID code, very important, WRITE it down, or copy and paste it into a notepad on the desktop, press next, now just make up a code, put the same one into both fields, 6 numbers or something like that. 7.Now check your emails again, there should be a new mail with the subject "webmoney activate notification", open this, and near the bottom is a code, copy and paste this into the web money program window, press next, press finish. 8.Now the web money program is installed and working(i hope), and we are on the HOME page, look for the blue link ADD FUNDS and click it, then look for the blue UKASH link, and click it, click authorise on the next page, then on the next page put in the number displayed, press next and you will get an error, click the blue writing HERE, enter the next numbers, and carry on, fill out all the blanks on the next screen, the part asking for legal ID, i used my birth certificate, i dont think they check it so just use anything, once its all filled in you, press save, and you should now have a formal passport, if you missed something go back and check till you have it right, then once you do close that window off. 9.Ok, almost there, we now need to create the purses, access the keeper program again, near the top look for the tab PURSES, click it, then click create, press next, then click WME (for euros), and call it something in the field(eg UKASH EURO), press next, tick the box, press next, then the purse is created, now make another one this time select WBR, then we are done making purses. 10.On the keeper program still, click MY WEB MONEY, and find the UKASH link like before, keep going and putting in the security numbers, you will reach a screen saying funding webmonay purchases using ukash vouchers. in the left field type in the amount of money on your ukash voucher, and change the currency to the one you bought on your voucher, then press the >> arrows next to the left field. it will calculate and show the amount exchanged, press proceed, put in your voucher number(on the receipt from the shop) and the amount, press finish, your account should now have the euros in the euro purse. 11.Go to your purses, right click on the rubles purse, mouse over exchange and click the option WM* to WM*, a new window opens, in the top change it to I WANT TO BUY WMR, in the next one change to I WANT TO PAY IN WME, in the next field type in the amount of euros to exchange, i exchanged 15 making sure i had some left to pay the exchange fees with, press proceed, put the number in, press next and that is the rubles exchanged. BACK TO THE GAME SITE http://online.1c.ru/games/game/3311585/ 1.Click the $ symbol again, on the next screen put your username and password in if required, press the long button beginning with what looks like an A. 2.click the blue link on the next screen, then press the second blue link from the bottom (webmoney), in the field on the next page type in the amount (300), put in your name, email, and phone number in the next fields, press the button that looks like it starts with A. 3.Tick the box and press the button that becomes available(right), click the big button on the middle on the next screen, click the left button on the next screen, make sure WEB MONEY KEEPER CLASSIC is selected on the next screen, click the bottom button, enter the number. and im afraid thats about as far as i can take you as i dont have the funds in my webmoney to carry on, but once its succesful, just use this link http://online.1c.ru/games/game/3311585/ to go to the game page again, and now there should be 2 downloads in green there where the $ symbol is/was, click each of them and save em to your hard drive. HAPPY FLYING. use this as a rough guide, it should work, any questions just ask. Many thanks to VITESSE, and the DEVS repent1 point
- 
	Немного поправлю. Так как сигнал триммера снимается в СУ при отжатии, то рекомендую делать так. При необходимости выполнить маневр, зажать "Т" (а лучше соответствующую кнопку на джойстике), выполнить маневр и после стабилизации вертолета в новом положении отжать "Т".1 point
- 
Recently Browsing 0 members- No registered users viewing this page.
 

 
	 
	 
	 
                     
	 
	 
	 
                     
	 
	 
	 
	 
	 
	 
	 
	 
	 
	 
	 
	