Jump to content

Leaderboard

Popular Content

Showing content with the highest reputation on 05/06/11 in all areas

  1. He was just joking (his joke was so obvious it could be seen from the International space station). I just spoke with the astronauts and they confirmed it.
    3 points
  2. We are pleased to introduce the R-77 for Su-27 & MiG-29G NATO Mod for our server. We hope you enjoy these weapons and the change to tactics for these 2 jets it will bring. While we know that the R-77 on the Su-27 modelled in FC2 has never been combat deployed, other versions of the Su-27 are able to use the R-77. So, while not 100% accurate, it is not a far fetched concept. The mod also includes our previous KAB-500kr and KH-29T mod for the Su-27. The MiG-29G has been hypothetically upgraded by NATO to include the AIM-120B and AGM-65D A2G missile. Recently the 104th have been discussing the use of extra mods for the 104th server. Many mods require that much of the file integrity checking be disabled, or that the client must download a mod package to match the server's mods in order to pass file checking. This may prove to be too intrusive so, we are going with this R-77 for Su-27 & MiG-29G NATO Mod for now as the 104th server does not file check weapons, so you will pass the file check on our server with or without this mod. Our mission brieifngs on the server will be updated with this information soon. Please make new players aware that join our server as best as possible. Thanks to 104th_Riptide for packing this weapons mod! DOWNLOAD HERE ENJOY!
    2 points
  3. На одном из самых убойных заокеанских серверов происходят интересные вещи. Администрация сервера решила освежить некоторые самолеты, с учетом того, какими бы они были на момент вымышленного конфликта (примерно с 1996г) На данный момент закрыто тестируется су-27, способный нести ракеты р-77, а также миг-29Г, способный нести ракеты айм120В. Одна из причин таких перемен в том, что ракета айм120с была принята на вооружение в 1996г. В этот период времени имели место некоторые изменения, которые не учтены в симуляторе. Кроме того, возможно будет расширен парк самолетов различными нелетабами. добавлено 18.05.2011 Мод позволяет использовать также X29T и КАБ-500КР с борта су-27, а также Миг-29G теперь умеет носить AGM-65D (при этом на МФИ появляется доп. информация для использования бомб с телевизионной головкой). Еще особенностью мода является огромный выбор "легальных" подвесок. Во многих миссиях именно с этим были проблемы, когда невозможно было выбрать, например, 6 Р27ЕР или 6 Р73. Скачать мод: >>>>>>>>>> http://dl.dropbox.com/u/600721/104FlankerFulcrumGMod.rar <<<<<<<< Установить/Удалить с помощью ModMan.
    2 points
  4. So the next DCS module is said to be the F/A 18 :music_whistling: However, do we really need the F/A 18 to have carrier ops? My next video shows we don't need arrestor cables to land an A10 on the deck of a carrier.... Enjoy.
    2 points
  5. Here are some of my major proficient elements good to consider when dealing with TARGET scripting. And I mean when you want to go beyond Thrustmaster FAST SCRIPT BASIC document. The intent is to add some clues to what comes out from experimenting with the language after having read this and messed up with what you think the meaning was. The main intent of the author seems to be about making explanations as simple (i.e. short) as possible in order to avoid frightening readers... Results is there are so many missing parts that your guesses are the only way out, like if 20% of A-10's cockpit buttons were not documented. My starting point was to use TARGET to improve the use of a perfectly working HOTAS that does not require it in any way. To do that, I had to come up with a clean working base. And the documentation was not helpful here. To start with something immediately useful, here is the most basic lesson I learned from the experience: Making good use of preprocessing include directive helps at improving readability in several ways: - Lightens and compacts calling code with the effect of displaying the big picture. - Confines related code into a dedicated file where it can be isolated from irrelevant code. Here are a few topics organized into their own separate files: [size="2"] [color="RoyalBlue"][b]include[/b][/color] "target.tmh" // Target's own definitions [color="RoyalBlue"][b]include[/b][/color] "js/js_map.tmc" // ...separate custom code [color="RoyalBlue"][b]include[/b][/color] "th/th_map.tmc" // ...throttle mapping detail [color="RoyalBlue"][b]include[/b][/color] "axis/util_axis_map.tmc" // ...MapAxis() calls [color="RoyalBlue"][b]include[/b][/color] "axis/util_KeyAxis.tmc" // ...keyAxis() calls [/size] ...those files can use their own relevant include organization as well. Optional functions files may be included too: [size="2"] [color="RoyalBlue"][b]include[/b][/color] "view/util_view.tmc" [color="RoyalBlue"][b]include[/b][/color] "util/util_led.tmc" [color="RoyalBlue"][b]include[/b][/color] "util/util_log.tmc" [/size] ...activating and deactivating those optional functions would only require commenting out a one-liner call to the freezed function from main code. The alternative beeing a whole bunch of freezed commented code lines. The standard main script entry point specifying two modifier switches for IO and UMD layers: [size="2"] int main() { // Init Exclude(&HCougar); Exclude(&T16000); Exclude(&LMFD); Exclude(&RMFD); if(Init(&EventHandle)) return 1; SetKBRate(25, 33); // [u]Layer shift switches S3 and S4[/u] SetShiftButton( &Joystick, S4 // devI , indexI , &Joystick, S3 , 0 // devUMD , indexU, indexD , 0); // flag (IOTOGGLE + UDTOGGLE) [/size] ...&Joystick, S4 Means holding joystick S4 switch down while activating another js or th switch asks TARGET to generate it's I(in) layer mapped virtual input event (instead of the default O(out) one). ...&Joystick, S3 Same idea applies for the U(up) layer mapping. , 0 is where an D(down) layer modifier would be specified. ..., 0 - Default (0) has layer shift while holding shift buttons (modifiers / reformers) - IOTOGGLE, UDTOGGLE toggles layer combination in effect on/off each time you hit one The mapping part: [PHYSICAL SWITCHES] to generated [PROCESS INPUT EVENTS] (keyboard + DX-Input): [size="2"] printf("DCSW_main:\xa"); // A clue about script activity in editor's trace panel js_map(); // Calling a function defined in the included "js/js_map" th_map(); // ...same for throttle mapping util_axis_map(); // ...and axis mapping util_KeyAxis(); // ...virtual keyboard events based on specified axis values init_LED(&Throttle); // ...playing with console LEDs printf("...ready\xa"); // Just to know we're there, not trapped into some dead-lock [/size] Handling [button press / release] entry point: [size="2"] int EventHandle(int type, alias o, int x) { if(log_level > 0) { if((x < IN_POSITION_AXES) & o[x]) log_event(&o, x); } DefaultMapping(&o, x); } [/size] Here we have a chance to interfere before the virtual input mapped to each switch gets delivered to the focussed process (*). In this case, the code does not change anything to the standard handling. It just calls a function that prints details about what's happening when switch activation handling is carried out. The log_event() function is in the "util/util_log.tmc" included file (shows selected layer, switch number, ...). In fact, this is where we can add some tricks that would override standard TARGET features (...) I have more experimental (painfully obtained) information to share but it will be better discussed when appropriate rather than adding to this first post... that I hope it's still readable ;) (*) During script test sessions, your focused window will direct generated virtual events to the owning process. A good idea is to always click EventTester's window before pressing any button as it is prepared to ignore anything you throw at it. [size="2"] [u]DCS_ivanwfr.zip[/u] (111222) ...updated TM_Warthog_Combined_1111_ivanwfr.lua ... * DX Input OFF button events have no effect :( * (110924) + H2U + TG1_MO + flashLED() // PAC auto zoom (110818) + H4U_DO = USB_QUOTE; // Score window + H4R_DO = USB_QUOTE+ L_SHIFT; // Show debriefing window + H4P_MI = USB_M + L_CTL; // Master Caution (110803) ... js_SHIFT() & th_SHIFT() called later, in order to override earlier standard mapping. ... Console back light Intensity & On/Off ... Up-Out layer updated: Eject, Respawn, Frame rate, Active Pause ... [b]Joystick[/b] with SetCurve(zoom) with [b]S3[/b] - Hold S3 = Joystick Precision temporary mode (like TrackIR does) - Hold S3 + Friction Control : Adjust and retain zoom (Full forward = 100% deviation) - ... removed curvature adjustment (no need for TM Warthog) ... Adjusted snap-views key down timer from default 32ms to 50ms - (110613) [i]* works much better (as in [u]every time[/u]) with my rig (i7 960 + W7x64)[/i] ... Adjusted hat corner handling -- Throttle CS and Joystick H[1234] [uRDL] - (110612) ... Added th_DX_main.tmc for a simple DirectInput Trottle Mapping [i]* needs loading related profile *[/i] ... Adjusted P&P profile for Patch-1108 ... China Hat that won't go in corners (...and disrupt [i]Left Long Press[/i] = SOI) ... Hats in corners ... Slew keying/mousing tuned by Friction-Control ... DCSW_PNP_main.tmc as a bare PnP starting point ... Slew / Trackpad mouse pointer freezing with S3 for a stable Left-Click. [u]PNP_ivanwfr.zip[/u] ...TARGET [i]Combined[/i] plug and play as an alternative to separate USB devices [i]Joystick+Throttle HOTAS Warthog Game Controllers[/i] [u]DCS_Bindings.zip[/u] ...Keyboard dynamic HTML for IOUMD layers bindings [/size] Note : All of this has been smartly sabotaged with patch 1.1.1.1. :cry: PNP_ivanwfr_110924.zip DCS_ivanwfr_110924.zip DCS_Bindings_110924.rar PNP_ivanwfr_111222.zip DCS_ivanwfr_111222.zip
    1 point
  6. In case anyone is interested here is a document containing some my checklists/procedures. I made these notes a while ago when I learned the sim using the training missions. I decided to publish them to help new members learn this fantastic sim. The checklists are best used in conjunction with the training missions and the flight manual, but they may still be useful as a reference after learning the specific topics. Be aware that the current version of the flight manual unfortunately contains some errors. I started a list with all the errors I found here. I hope ED will update the manual in an upcoming patch! These are the topics contained in the document (more to follow): Startup Taxi and Take-off TACAN Landing Use of AN/AAQ-28 LITENING-II AT targeting pod (TGP) Attack using GAU-8/A Avenger 30mm gun Attack using unguided rockets (in CCIP mode) Employment of unguided (free-fall) bombs using CCIP and CCRP Employment of PGM (LGB/IAM) Employment of AGM-65 Maverick Air-to-Surface Missile Air-to-Air employment using AIM-9M sidewinder missiles Open issues (please help me resolve them): AIM-9M: What exactly is "circular scan and consent to self track" mode ? manual p. 387: "The first depression enters scan mode which allows AIM-9 slewing. The next depression commands circular scan and consent to self track, ..." AGM-65: According to the manual TGM-65D/H can also be loaded on a LAU-88 triple rail launcher, but not in the game. See this thread. Please let me know if there is anything I can improve! I gained my knowledge mostly from the included training missions, the flight manual, forum posts and video tutorials on YouTube. Big thanks to the community! Have fun and enjoy this great sim! Update 04. June 2011: v1.2: updated startup for DCS A-10C v1.1.0.8 Update 26. June 2011: v1.3: small improvements and addition of "unguided bombs" Update 16. August 2011: v1.4: updated startup for DCS A-10C v1.1.0.9, small fixes derelor-a10c-all_in_one-v1.4.pdf derelor-a10c-all_in_one-v1.4 - (dark gray).pdf
    1 point
  7. Виртуальные боевые и пилотажные летчики России и Украины объявляют о проведении парада в честь дня победы 9 мая! Начало парада (Руление, взлет всех групп, сбор) : 23:00 MSK Начало пролета над Новороссийском: 23:30 MSK Приятного просмотра!
    1 point
  8. Представляю совместный клип собсна меня и клипмейкера X-stounds бывший Glowing Claw. За что ему выражаю огромную благодарность так как прислал треки с уже классной операторской работой. И за терпение, так как собирались его собрать ещё пол года назад))) Всем приятного просмотра!
    1 point
  9. Its like a dream came through for me. If this become a standard, Ill change my signature to R-77 In Your Face.
    1 point
  10. That was easy to prove wrong. :)
    1 point
  11. http://dl.dropbox.com/u/600721/104FlankerFulcrumGMod.rar install that with MODMAN, then you'll see it as an option in the payloads menu once you're in the cockpit.
    1 point
  12. 1 point
  13. using quick views is the best pod tip I can give. I remapped CTRL+NUM0 to just NUM0. Im gonna try Sinky's tip too
    1 point
  14. Thank you. Added my document on precision-guided munitions (PGM).
    1 point
  15. Just for illustration purposes find the vehicles in this screenshot, this is with 6G and 2L. Two tanks and an SA-9. You could also try logical search patterns at different zoom levels to help you out. Screenshot is at just over 11 miles, wide fov and if I remember correctly I used no zoom. This is also at the lowest MFD resolution.
    1 point
  16. He let his son drive that day.
    1 point
  17. Аааа... теперь я тоже понял, что такое - "дать в репу"!
    1 point
  18. Тов. Psychozaur. Тема называется "Игровой сервер =RAF= (вопросы и пожелания)", а не "моё недовольство действиями членов сквада RAF, их мастерством, высказываниями и т. д.". Есть что сказать по серверу? Работа сервера, миссии, ротация и пр.? Может, тебе просто не нравится, что есть такой сервер в г. Москва? Достали уже эти обиженные. Меня тоже однажды во времена 1-го ЛО забанили по ошибке - мой ip попал в диапазон. Пару дней не мог зайти, думал сервер не работает. Ничего, спокойно разобрались, исправили. По поводу "внезапной смены миссии - Хоку "захотелось поганзить или чего, непомню" :). Хок - админ сервера, и если перезагружает сервер, то скорее всего в служебных целях, о которых ты похоже представления не имеешь. Сервер - это такой же комп, как у тебя, он может зависнуть, или на нем необходимо опробовать что-то новое. И что - ждать для ребута 2 часов ночи по МСК, когда последний вирпил спать ляжет? А я вот например летаю на ястребах, и когда крутится та миссия, иду на другой сервер. В любом случае, это не повод для ора, должна наверное быть и миссия без истребительного мяса. Поменьше эмоций и личных обид. зы. А еще Хок и другие члены сквада РАФ платят деньги, чтобы сервер существовал. Он не марсианами содержится. И тратят свое личное время, чтобы его поддерживать. Чтобы ты или я могли там поиграть. Имейте уважение.
    1 point
  19. Акелла промахнулся(ц) :megalol: Тем не менее, я в шоке, а Кому то за что выперли? Неужели слишком правильным оказался? Я был всегда о нём хорошего мнения. Штурмил как утюг, в вашу политическую возню вроде не ввязывался. Странно. П.С. Если Зерол второй, а Кома третий, то кто первый? Не слежу за вами, поэтому могу лишь догадываться.
    1 point
  20. Неужели? А почему тогда я до сих пор могу зайти на сервер РАФ? Если бы я читерил, мне бы влепили бан, но его не было и не будет. А вот вам как занимающему высокую *должность* врать не к лицу. Я лично присутствовал, когда доигывалась штурмовая карта. Долго, старательно, успешно усилиями соклановцев. И тут пришёл великий хавк, которому вдруг захотелось поганзить или чего, непомню, и только ради себя одного сменил карту. Ни 1 истребителя на сервере не было, а тройка клановых штурмов вышла после этого с презрением. Эпизод не оставил пятнышка в личном деле, но оставил осадок. А репутация среди СВОИХ бойцов гораздо важнее любой бюрократии. Подобных случаев я повидал массу, но не вижу смысла о них рассказывать, ибо это будет выглядеть как нытьё. Я ушел с РАФ, потому что я всегда смотрю в корень и я увидел всю вашу подноготную черноту. Не знаю, каким был раф до раскола и ухода основной массы старичков, но уверен, после него клан как таковой существовать уже перестал. Когда я вступал в клан, я был наслышан о негативных отзывах о вас от бывших членов, не приняв их ко вниманию. Чтож, пока сам на грабли не наступишь, не узнаешь каково это на самом деле :) А обсирать бывших боевых товарищей вы привыкли, да. Не первый год у вас ведётся такая грязная политика. Жаль архива форума не осталось. P.S. заходил однажды на вашу так называемую *клановую тренировку* и чуть со смеху не помер. Вы сами то по кругу летать не умеете, кто в лес кто по дрова, а еще и нубов учить пытаетесь. Про разбившихся и заблудившихся вообще молчу.:doh: Если кто не понял, мне всёравно, кто мне верит, а кто нет. Вступайте в раф и сами всё узнаете. Посмотрим, насколько хватит вашего *ура-патриотизма* :)
    1 point
  21. Yes it is true. Soon we will make it offical and offer a download for weapon selection. Hope to see you on the server soon 139. You are always a great opponent. Да, это правда. Скоро мы будем делать это официально и предлагают скачать для выбора оружия. Надеемся увидеть Вас на сервере скоро 139. Вы всегда большой противника.
    1 point
  22. Thanks for the info HungaroJet. Yeah..I am getting a fps hit too...so I reverted back to default.
    1 point
  23. В продолжении темы :D... строим потихоньку. Следующий этап - крылья :)
    1 point
  24. ecco a voi: Prossimo video tutorial in uscita: Sgancio in CCIP - 3/9 - 5 Mil
    1 point
  25. Credits to: http://www.forum9gs.net/viewtopic.php?f=12&t=154&st=0&sk=t&sd=a&start=885
    1 point
  26. if you are at ~17000ft over the lowlands prior to the WP ware you are requested to make the HUD SOI then make a SPI in the HUD you have to move the little box in the HUD right down to the base of the lowest part HUD display so it is only just viewable then hold the HOTAS TMS forward for >1sec thus doing a TMS forward (long) keystroke. I had the same problem just yesterday. :music_whistling:
    1 point
  • Recently Browsing   0 members

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