Jump to content

LightFusion

Banned
  • Posts

    686
  • Credits

  • Joined

  • Last visited

  • Days Won

    4
  • Feedback

    100%

Posts posted by LightFusion

  1. У всех пользователей SmartGuard есть возможность заблокировать сторонние модификации интерфейса игры, есть инструкция как это сделать. Делать это на принудительной основе мы не планируем. Я предельно точно ответил на ваш вопрос? 

    Бля Акуму ты соображаешь что это не интерфейс, а C++ скрипты внедренные в движок игры, которые позволяют автоматом затачивать скилы, оружие, агументировать.

    Это функционал Бота, если ты позволяешь подобные вещи - твоя "Защита" ничего не стоит, ибо так или иначе ты устанавливаешь условия и ты виноват в том что если админу лень сделать, то все кому не лень будут юзать функционал бота!

     

    Да и ко всему прочему то видео с Interlude.su - там же админ как раз настраивал на запрет, а он всеравно обходиться !

     

    Получается что твоя защита ничего толком не стоит, если простые вещи для тебя лень рещать/Устанавливать рамки.

  2. Я вам уже выше ответил - не хочу, по объективным причинам. Мы дали всем администраторам серверов возможность и инструмент чтобы заблокировать данный софт, инструкции есть на нашем форуме.

    То есть ты позволяешь всем кто хочет использовать Ботов (Потому что не хочешь фиксить)? Или по твоему InterfaceAI Не автоматом затачивает и агументирует,банки жрет, скилы авто юзает и тд ?

  3. Здравствуйте, а я думал вы уже поняли что у меня нет никакого желания комментировать ваши приступы недержания. Я уже два года слушаю подобные басни о ддос-ах, о всяких обходах и эмуляциях, о том как у нас все не так как оно надо. Но к сожалению только слушаю :)

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

     

    Дурачек это ты тут самоутверждаться пытаешься - а простейщие вещи ты пофикисить не можешь , какие то бомжи с ворованным InterfaceAI(Авто заточкой авто агументацией) свободно мутят обход - твоей "супер защиты", и юзают на серверах типа Interlude.su 

    И ты ничего с этим поделать не можешь, или не хочешь! в этом как бы все дело.

  4. Все публичные версии программы не работаю, видео можете сохранить себе на жесткий если оно вам так нравится. Как только появится публичная версия мы примем соответствующие действия. 

    Та версия 100 рублей стоит, где логика кукума ? или для тебя публичная это, пока админ не купит и скинет тебе ?

     

    Боже какой ты ущерб, как блять вообще твою говно пакетную защиту еще юзают.... звиздец.

     

    Вот что будет если ддоснуть твой сервак, на который шлется Over9000 пакетных запросов, или просто сэмулировать твой dsetup, и отправлять те же самые пакеты, не имея нихера внутри.

    Ты ущербен - понимаешь ?

  5.  

    2016.5.20 17:40:32
    OS : Windows Vista 6.1 (Build: 7601)
    CPU : AuthenticAMD Unknown processor @ 3593 MHz with 4095MB RAM
    Video : AMD Radeon R7 200 Series (1452)
     
    General protection fault!
     
    History: UpdateAnimation <- AActor::Tick <- TickAllActors <- ULevel::Tick <- (NetMode=0) <- TickLevel <- UGameEngine::Tick <- UpdateWorld <- MainLoop
     
     
    HAVE ANI SOLUTION FOR THIS ERROR ?  :'(  :'(  :'(  :'(

     

    when is it happening ?

  6. Not in the global scope, but for example the first one is in UGameEngine::LoadMapThread.

    They call something like

     

    UObjectLoader *res = UObject::GetLoader(something);

    if (res->var84h[something2]->var10h) {

        here they access res->var84h[something2]->var10h->var1c

        which is totally wrong if you don't have mutex here

    }

     

    so my fix does simply this:

     

    void *someptr = res->var84h[something2]->var10h;

    if (*someptr) {

        now i work with someptr which is copy

    }

     

    the best solution would be to add mutexes, but I don't have the source code :))

    well thats acctualy explains better, a check if exist pattern 

  7.  

    There's a race condition error in engine.dll:

     

    engine.dll:00CE80AA lea     eax, [eax+edx*4]
    engine.dll:00CE80AD cmp     dword ptr [eax+10h], 0  <----- now it's not 0, so it won't jump on the next line
    engine.dll:00CE80B1 jz      0CE80C8h     -- meanwhile some other thread sets dword ptr [eax+10h] to 0 --
    engine.dll:00CE80B3 mov     ecx, [eax+10h]    <----- so now we have ecx == 0
    engine.dll:00CE80B6 mov     ecx, [ecx+1Ch]    <----- read dword ptr [0+1ch] -> CRASH
    engine.dll:00CE80B9 test    ecx, 0x4000000
    engine.dll:00CE80BF jnz     short loc_CE80C8
    engine.dll:00CE80C1 mov     dword ptr [eax+10h], 0
     
    It can be fixed this way:
     
    engine.dll:00CE80AA lea     eax, [eax+edx*4]
    engine.dll:00CE80AD mov     ecx, [eax+10h]   <----- we copy that value from memory
    engine.dll:00CE80B0 jecxz   0CE80C8h          <----- and compare it this way - jecxz is a nice instruction :)
    engine.dll:00CE80B2 mov     ecx, [ecx+1ch]    <----- even if some other thread resets dword ptr [eax+10h], we have still copy in ecx
    engine.dll:00CE80B5 test    ecx, 0x4000000
    engine.dll:00CE80BB jne     0CE80C8h
    engine.dll:00CE80BD nop
    engine.dll:00CE80BE nop           <----- we saved 4 bytes :)
    engine.dll:00CE80BF nop
    engine.dll:00CE80C0 nop
    engine.dll:00CE80C1 mov     dword ptr [eax+10h], 0
     
    There are two occurrences of this bug in engine.dll, to fix them both replace following (in unpacked engine.dll ofc)
     
    old: 83 78 10 00 74 15 8B 48 10 8B 49 1C F7 C1 00 00 00 04 75 07
    new: 8B 48 10 E3 16 8B 49 1C F7 C1 00 00 00 04 75 0B 90 90 90 90
     
    old: 83 78 10 00 74 13 8B 48 10 F7 41 1C 00 00 00 04 75 07
    new: 8B 48 10 E3 14 F7 41 1C 00 00 00 04 75 0b 90 90 90 90
     
    Enjoy ;)

     

    do you even know what that code is doing ? originaly , just setting to zero wouldnt explain the crash.

  8. 	private void REGMP(L2PcInstance activeChar, boolean petbuff)
    	{
    		if (!petbuff)
    		{
    			activeChar.setCurrentMp(activeChar.getMaxMp());
    		}
    		else
    		{
    			activeChar.getSummon().setCurrentMp(activeChar.getSummon().getMaxMp());
    		}
    	}
    	
    	private void REGHP(L2PcInstance activeChar, boolean petbuff)
    	{
    		if (!petbuff)
    		{
    			activeChar.setCurrentHp(activeChar.getMaxHp());
    		}
    		else
    		{
    			activeChar.getSummon().setCurrentHp(activeChar.getSummon().getMaxHp());
    		}
    	}
    	
    	private void REGCP(L2PcInstance activeChar, boolean petbuff)
    	{
    		if (!petbuff)
    		{
    			activeChar.setCurrentCp(activeChar.getMaxCp());
    		}
    		else
    		{
    			activeChar.getSummon().setCurrentCp(activeChar.getSummon().getMaxCp());
    		}
    	}
    	
    	private void SKILL(L2PcInstance activeChar, boolean petbuff, int key, L2Skill skill)
    	{
    		if (Config.BUFF_COST)
    		{
    			if (activeChar.destroyItemByItemId(null, allskillid_1[key][3], allskillid_1[key][2], activeChar, true))
    			{
    				if (!petbuff)
    				{
    					skill.applyEffects(activeChar, activeChar);
    				}
    				else
    				{
    					skill.applyEffects(activeChar.getSummon(), activeChar.getSummon());
    				}
    			}
    			else
    			{
    				activeChar.sendMessage("You don't have adena for using service.");
    			}
    		}
    		else if (!petbuff)
    		{
    			skill.applyEffects(activeChar, activeChar);
    		}
    		else
    		{
    			skill.applyEffects(activeChar.getSummon(), activeChar.getSummon());
    		}
    	}
    	
    

     

     

    1432384939474.jpg

  9. Nope... i played classic. Basically its a mesh between GOD and C1 (currently somewhere around C2) with new skills etc that are different from interlude yes, but balance is pretty nice and the overall feel is interludish. Formulas are the same mesh... some are GOD some are older. For example magic accuracy, dyes max +15 etc. And no, i think its only skills, formulas, items and npcs needed to be changed. The core is pretty much GOD.

    well what i meant by that is not so many people like god interlude, comparing to original . So if you want to have real Classic Interlude, with new graphics, you have to do much more then just skills,formulas, etc. It has to be reworked spawns, some quests, items rewards, pvp, and other stuff.

  10. For those who are saying downgrade to interlude... WTF?

    L2JUnity project is one config variable away from supporting classic. (except skills items etc for who want to deal with it)

    And all I have to say is classic >>>>>>>> IL/H5 or whatsoever.

     

    You have better chance turning it into a classic server than downgrading it to interlude. Chances to see aCcs are higher than another aCis copy.

     

    I dunno why nobody mentioned, ehm, classic support, because this pack can provide really decent classic support with only changing skills and items and few of the formulas.

    And for those IL fans who don't even know what classic is. Basically its interlude, but with better grafix.

    it is not, if you playd classic comparing to original interlude its whole different thing in many aspects, just so many that you can't just edit formulas, skills, npc,monsters and other things, thats require much more.

     

    P.S.

    About spammers like Acc, just ignore that bitch, dont reply him just none, and he would eventualy go away, im rly disspointed that Noone on this forum suggested an smart ban option, where you can select user you dont like, and any post of him wouldnt be shown for you, thats rly pitty .

  11. I never cared for the whiner, nor expect any contributors.

     

    I just don't wanna make something that will never be used as we initially plan.

    Talking about plan, 

    i suggest you that first thing you have to do, is making -

     

    - the PLAN !

    - You need to use community skilled members, who would suggest the list of important stuffs that would form acctual scope of project.

    - then you have to submit that plan on a some project overviewer, so you can see in live what part are being proceed.

    - try to make more work, less talk, that's means to take in team not by words but by skills, 

    - and last one very important - do not distribute it for free, cause even to buy some svn take money $, but make some price of 3-5$ that would be perfect solution, for the fork itself not for sources.

  12. Missing skills and area will be the first to catch the eyes.

     

    Since we had no plan to spawn an area AI less without any HTML and so on, some zone are empty, not much but still.

     

    A few player skills are yet to be implemented by lack of info or time.

    What about formulas, dialogs bypass , monsters spawning, if you playd on classic( semi-erthei Client) they made a greate impromevment in that way, for example if in 1 zone are many players and monsters dies very offten, its adding additional value to the default spawn amount, and it is also spreading the monsters in a gentle way, across the region/zone(did you make some improvements in that direction) ?

     

    P.S.

    Are you using some PTS dissambled source, as the basis of your methods, or its complitly your vision of how it should be implemented ?

  13. It's more like we knew what we had to do,and to look for something to fix, there is no list really,even now I couldn't quote more than 2-3 specific shit cause I didnt look for more.

    Alright, and how do you think your fork is going compared to PTS server, what are the most common thing that player see if he play PTS and then moves to your Java !

  14. No there was no plan for future stuff, beside finishing some stuffs, mainly

     

    - Skills, all not done, plus testing all existing.

    - Instances

    - Finish CoC which misses monthly competition and reward after arena.

     

    Then we picked task as we felt it.

    And what was the scope on some of those task's ?(what you wanted to achive in them)

  15. Greetings!

     

    From now on we offer all SmartGuard customers 50% discount for our another great software SmartCrypt.

    SmartCrypt is there for you to encrypt for game client files which are of special value for you. It could be a paid mods that you have bought for your players or any other things that you might have made and want to keep it to yourself. You alse will be able to protect them in such way that they will only run under your SmartGuard license.

     

    You can find more information here: https://smart-guard.eu/en/lineage2-crypt/

    О госпади кукуму ты серьезно ? Ты барыжиш тем что не предоставляет - заявленных характеристик, У респекта слил Virus InterfaceAI, снял твой ссаный крипт, и точно так же снимет и со всех других версий !

    Ты блять больной чтоли ?

    -fixed

  16. Hello friens.

     

    I looking  augument shop but its must be like quest not java code.

    .......

    do you mean by quest, to write the logic on html  - are you retarded?

     

    all the quest logic is writed on java, on l2j like forks,

    public class Q306_CrystalsOfFireAndIce extends Quest
    {
    	private static final String qn = "Q306_CrystalsOfFireAndIce";
    	
    	// Items
    	private static final int FLAME_SHARD = 1020;
    	private static final int ICE_SHARD = 1021;
    	
    	// NPC
    	private static final int KATERINA = 30004;
    

    And its doesnt matter whether you click on button that represent - quest or you click on button_augment_item it would be the same dialog when it appears, not the matter quest or shop, just dialog...

  17. Lf Lamecrypter for Hi5, only share for IL.

    lamecryptor is same for every version, if its not working then its not lamecryptor, you have to make sure that in header of file is written 811 or 613 or 611, in other cases its not lamecryptor.

  18. The good thing is that the system itself desided to block you, none of this is manual. So yeah, keep on using/coding bots on your other PC an hopefully you will see the same thing there. :)

    .... you keep ignoring that your stupid soft cant block simple scripts.u , are you just too lazy to fix or you are with those fags who use it, thats about 2k PEOPLE who use exploits with your supa dupa protection.... you think thats normal ?

  19. Considering the fact you develop bot software our system is not so much wrong, is it? :)

    Akumu you cant fix the shit with AutoAugmentation and AutoEnhcant, and you trying to pretend you making some protection ?

    You just ignoring that a lot of people about 2k is using this exploit for free, and your not doing about this a thing,

×
×
  • Create New...

AdBlock Extension Detected!

Our website is made possible by displaying online advertisements to our members.

Please disable AdBlock browser extension first, to be able to use our community.

I've Disabled AdBlock