Quantcast
Channel: L2JBrasil RSS
Viewing all 543 articles
Browse latest View live

Source L2Scripts - Ertheia 606 [ORIGINAL]

$
0
0

Segue link conforme titulo do tópico.

public static final String PROJECT_REVISION = "L2s [12448]";

 

DOWNLOAD

 

 

Sobre a versão Epic Tale of Aden: Ertheia

 

É isso ai. Bom proveito e estudos!


Custom Sets { Acis 356+ }

NPC BUFFER - INTERLUDE

Corrigindo NPC com > NoNameNPC

$
0
0

Ola Bom dia! Todos :)

 

 

Eu estava adicionando Npc   e me  deparei com uma situação... todos npcS que eu adicionava quando eu dava //spawn  neles, aparecia com seguinte Erro >>> NoNameNPC.

 

 

Para corrigir esse erro fz da seguinte forma:

 

Na opção Edit npc localizei:  Server Side Name   / Server Side Title

 

- La estava setado com valor ( 0 )     Erro persistia 

 

- Alterei para valor ( 1 )   resultado :) Corrigindo erro de Title e nome do NPC

 

 

 

Vlw T+ ^^   :para:  tenham uma boa tarde...

 

 

:bom:

 

 

Share]Backstab rate modify. L2J aCis

$
0
0
net.sf.l2j.Config.java

+ public static int BLOW_FRONT_RATE;
+ public static int BLOW_SIDE_RATE;
+ public static int BLOW_BACK_RATE;



+ BLOW_FRONT_RATE = Integer.parseInt(baggos.getProperty("BlowRateFront", "40"));
+ BLOW_SIDE_RATE = Integer.parseInt(baggos.getProperty("BlowRateSide", "50"));
+ BLOW_BACK_RATE = Integer.parseInt(baggos.getProperty("BlowRateBEHIND", "70"));


config:
+ # Blow Rate From BackStab.
+ BlowRateFront = 40
+ BlowRateSide = 50
+ BlowRateBehind = 70


net.sf.l2j.gameserver.handler.skillhandlers.Blow.java

+ import net.sf.l2j.Config;
import net.sf.l2j.gameserver.handler.ISkillHandler;


- public final static int FRONT = 50;
- public final static int SIDE = 60;
- public final static int BEHIND = 70;
+ public final static byte FRONT = 50;
+ public final static byte SIDE = 60;
+ public final static byte BEHIND = 70;
+ public static int FRONTBACKSTAB = Config.BLOW_FRONT_RATE;
+ public static int SIDEBACKSTAB = Config.BLOW_SIDE_RATE;
+ public static int BEHINDBACKSTAB = Config.BLOW_BACK_RATE;

@Override
public void useSkill(L2Character activeChar, L2Skill skill, L2Object[] targets)
{
+ if(skill.getId() == 30)
+ {
+ FRONTBACKSTAB = Config.BLOW_BACK_RATE;
+ SIDEBACKSTAB = Config.BLOW_BACK_RATE;
+ BEHINDBACKSTAB = Config.BLOW_BACK_RATE;
+ }


net.sf.l2j.gameserver.handler.skillhandlers.Pdam.java


- target.reduceCurrentHp(damage, activeChar, skill);
-
+ }
+
+ // Backstab Modify
+ if(skill.getId() == 30)
+ {
+ double Hpdam = 0;
+
+ if (damage >= target.getCurrentHp())
+ {
+ target.setCurrentHp(0);
+ target.doDie(activeChar);
+ }
+ else
+ {
+ Hpdam = (target.getCurrentHp() - damage);
+ target.setCurrentHp(Hpdam);
+ }

Banking System acis

$
0
0
config

#========================================#
# Banking System #
#========================================#

# To enable banking system set this value to true, default is false.
BankingEnabled = True

# This is the amount of Goldbars someone will get when they do the .deposit command, and also the same amount they will lose when they do .withdraw
BankingGoldbarCount = 1

# This is the amount of Adena someone will get when they do the .withdraw command, and also the same amount they will lose when they do .deposit
BankingAdenaCount = 1000000000


after that go in net.sf.l2j.config.java

public static boolean BANKING_SYSTEM_ENABLED;
public static int BANKING_SYSTEM_GOLDBARS;
public static int BANKING_SYSTEM_ADENA;

BANKING_SYSTEM_ENABLED = Boolean.parseBoolean(custom.getProperty("BankingEnabled", "false"));
BANKING_SYSTEM_GOLDBARS = Integer.parseInt(custom.getProperty("BankingGoldbarCount", "1"));
BANKING_SYSTEM_ADENA = Integer.parseInt(custom.getProperty("BankingAdenaCount", "500000000"));


now go in package net.sf.l2j.gameserver.handler.voicedcommandhandlers and create new file BankingCmd.java and paste this

/*
* This program is free software: you can redistribute it and/or modify it under
* the terms of the GNU General Public License as published by the Free Software
* Foundation, either version 3 of the License, or (at your option) any later
* version.
*
* This program is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
* FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
* details.
*
* You should have received a copy of the GNU General Public License along with
* this program. If not, see <http://www.gnu.org/licenses/>.
*/
package net.sf.l2j.gameserver.handler.voicedcommandhandlers;

import net.sf.l2j.Config;
import net.sf.l2j.gameserver.handler.IVoicedCommandHandler;
import net.sf.l2j.gameserver.model.actor.instance.L2PcInstance;
import net.sf.l2j.gameserver.network.serverpackets.ItemList;

/**
* This class trades Gold Bars for Adena and vice versa.
*
* @author Ahmed
*/
public class BankingCmd implements IVoicedCommandHandler
{
private static String[] _voicedCommands =
{
"bank", "withdraw", "deposit"
};


@Override
public boolean useVoicedCommand(String command, L2PcInstance activeChar, String target)
{

if(command.equalsIgnoreCase("bank"))
{
activeChar.sendMessage(".deposit (" + Config.BANKING_SYSTEM_ADENA + " Adena = " + Config.BANKING_SYSTEM_GOLDBARS + " Goldbar) / .withdraw (" + Config.BANKING_SYSTEM_GOLDBARS + " Goldbar = " + Config.BANKING_SYSTEM_ADENA + " Adena)");
}
else if(command.equalsIgnoreCase("deposit"))
{
if(activeChar.getInventory().getInventoryItemCount(57, 0) >= Config.BANKING_SYSTEM_ADENA)
{
activeChar.getInventory().reduceAdena("Goldbar", Config.BANKING_SYSTEM_ADENA, activeChar, null);
activeChar.getInventory().addItem("Goldbar", 3470, Config.BANKING_SYSTEM_GOLDBARS, activeChar, null);
activeChar.getInventory().updateDatabase();
activeChar.sendPacket(new ItemList(activeChar, true));
activeChar.sendMessage("Thank you, now you have " + Config.BANKING_SYSTEM_GOLDBARS + " Goldbar(s), and " + Config.BANKING_SYSTEM_ADENA + " less adena.");
}
else
{
activeChar.sendMessage("You do not have enough Adena to convert to Goldbar(s), you need " + Config.BANKING_SYSTEM_ADENA + " Adena.");
}
}
else if(command.equalsIgnoreCase("withdraw"))
{
if(activeChar.getInventory().getInventoryItemCount(3470, 0) >= Config.BANKING_SYSTEM_GOLDBARS)
{
activeChar.getInventory().destroyItemByItemId("Adena", 3470, Config.BANKING_SYSTEM_GOLDBARS, activeChar, null);
activeChar.getInventory().addAdena("Adena", Config.BANKING_SYSTEM_ADENA, activeChar, null);
activeChar.getInventory().updateDatabase();
activeChar.sendPacket(new ItemList(activeChar, true));
activeChar.sendMessage("Thank you, now you have " + Config.BANKING_SYSTEM_ADENA + " Adena, and " + Config.BANKING_SYSTEM_GOLDBARS + " less Goldbar(s).");
}
else
{
activeChar.sendMessage("You do not have any Goldbars to turn into " + Config.BANKING_SYSTEM_ADENA + " Adena.");
}
}
return true;
}
@Override
public String[] getVoicedCommandList()
{
return _voicedCommands;
}
}


and last go in net.sf.l2j.gameserver.handler.VoicedCommandHandler.java

import net.sf.l2j.gameserver.handler.voicedcommandhandlers.BankingCmd;

if(Config.BANKING_SYSTEM_ENABLED)
{
registerVoicedCommandHandler(new BankingCmd());
}

{aCis}Hero e Nobles Skills por configuração.

$
0
0

Esse mod deixa as skills hero e as skills nobles podendo ser alteradas por configuração , se desejar remover ou adicionar uma skill é só mudar a config, e quando der RR no servidor os players que eram hero ou nobles já vai ter a skill nova que você adicionou ou vai tá faltando a que removeu.

 

Código aCis : 

Spoiler

 

 

Codigo Frozen : Quando eu voltar ao pc de novo.

 

Créditos : Tayran.JavaDev

{ aCis | Frozen }Hero e Nobles Skills por configuração.

$
0
0

Esse mod deixa as skills hero e as skills nobles podendo ser alteradas por configuração , se desejar remover ou adicionar uma skill é só mudar a config, e quando der RR no servidor os players que eram hero ou nobles já vai ter a skill nova que você adicionou ou vai tá faltando a que removeu.

 

Código aCis : 

Spoiler

 

 

Codigo Frozen : 

 

Spoiler

 

Créditos : Tayran.JavaDev


Zaken & Benom { Acis }

$
0
0

Zaken :

 

Spoiler

 

Benom :

 

Spoiler

Gk Global and NpcGMShop MidRate Project acis!

$
0
0

Uns dois anos atras, dei uma mexida no projeto acis. E o que sobrou foi esses dois npcs bem trabalhado.

Nesse tempo não tinha download com um npc completo assim. Não sei hoje. Tira um print e me envia para que eu possa mostrar para todos!

Falta a aparencia Npcrpg e Npcname.

Download = http://www.4shared.com/rar/aktLiG2wce/NPC_L2Acis.html?

 

Shot00046.jpg

[Share][Interlude] Weapons IL 100 %

$
0
0

                       Olá 'Bandinerds'', estou trazendo aqui essas armas que eu senti muita falta nos servidores. espero que gostem.

 

 

                                                       YmfMLTW.jpg

                                                                               300px-Spiritual_Eye_photo.jpg

 

                                                        Atenção: Por favor antes de dizer que o conteúdo já existe, teste e veja a diferença. 

9331    Sirra's Blade
9332    Sword of Ipos
9333    Barakiel Axe
9334    Behemoth's Tuning Fork
9335    Naga Storm
9336    Tiphon's Spear
9337    Shyeed's Bow
9338    Sobekk's Hurricane
9339    Daimon Crystal
9340    Spiritual Eye
9341    Sirra's Blade    Haste
9342    Sirra's Blade    Health
9343    Sirra's Blade    Focus
9344    Sword of Ipos    Haste
9345    Sword of Ipos    Health
9346    Sword of Ipos   Focus 
9347    Barakiel Axe    HP Drain
9348    Barakiel Axe    Health
9349    Barakiel Axe    HP Regeneration
9350    Behemoth's Tuning Fork    HP Regeneration
9351    Behemoth's Tuning Fork    Health
9352    Behemoth's Tuning Fork    HP Drain
9353    Naga Storm    Crt. Damage
9354    Naga Storm    HP Drain
9355    Naga Storm    Haste
9356    Tiphon's Spear    Health
9357    Tiphon's Spear    Guidance
9358    Tiphon's Spear    Haste
9359    Shyeed's Bow    Cheap Shot
9360    Shyeed's Bow    Focus
9361    Shyeed's Bow    Critical Slow
9362    Sobekk's Hurricane    Focus
9363    Sobekk's Hurricane    Health
9364    Sobekk's Hurricane    Crt. Stun
9365    Daimon Crystal    Empower
9366    Daimon Crystal    MP Regeneration
9367    Daimon Crystal    Magic Hold
9368    Spiritual Eye    Acumen
9369    Spiritual Eye    MP Regeneration
9370    Spiritual Eye    Mana Up

No conteúdo há correções dos efeitos e mechas. 

Habilidades, peso, e o grade das armas convertido para (S)[ Itemname-e SQL e XML].

Download

 

download.gif

Tamanho: 4.45 KB

Créditos: NCsoft

and RootZero

 

Se você gostou, não esqueça de curtir o tópico. Obrigado.

 

Limite de Ward's {Freya}

$
0
0

Hoje venho disponibilizar um mod que faz com que limite a quantidade de Ward's por castelo.

 

Então esse mod funciona assim.

você coloca nas config a quantidade que você quer que o castelo tenha no caso.

Clan X So pode pegar no maximo 3 Wards;

ai por mais que ele tente ele não consegue por mais que 3 Ward no castelo dele.

já foi testado em meu servidor ,foi testado e funcionou perfeitamente.

mais qualquer erro que dê você me fala que arrumo pra você :P

Config/TerritoryWar.properties.

+# Number of Wards in TW
+# default: 9
+TerritoryWardSpawnPlaces = 3

Index: java/com/l2jserver/gameserver/instancemanager/TerritoryWarManager.java
===================================================================
--- java/com/l2jserver/gameserver/instancemanager/TerritoryWarManager.java    (revision 169)
+++ java/com/l2jserver/gameserver/instancemanager/TerritoryWarManager.java    (working copy)

+import com.l2jserver.gameserver.model.interfaces.IIdentifiable;
 import com.l2jserver.gameserver.model.quest.Quest;

public static String qn = "TerritoryWarSuperClass";
+    public static int TERRITORY_WARD_SPAWN_PLACES;

+TERRITORY_WARD_SPAWN_PLACES = Integer.decode(territoryWarSettings.getProperty("TerritoryWardSpawnPlaces", "9"));
       DEFENDERMAXCLANS = Integer.decode(territoryWarSettings.getProperty("DefenderMaxClans", "500"));

-    public static class TerritoryNPCSpawn
+    public static class TerritoryNPCSpawn implements IIdentifiable

-            _territoryWardSpawnPlaces = new TerritoryNPCSpawn[9];
+            _territoryWardSpawnPlaces = new TerritoryNPCSpawn[TERRITORY_WARD_SPAWN_PLACES];
Index: java/com/l2jserver/gameserver/model/interfaces/IIdentifiable.java
===================================================================
--- java/com/l2jserver/gameserver/model/interfaces/IIdentifiable.java    (revision 0)
+++ java/com/l2jserver/gameserver/model/interfaces/IIdentifiable.java    (revision 0)
@@ -0,0 +1,28 @@
+/*
+ * Copyright (C) 2004-2014 L2J Server
+ *
+ * This file is part of L2J Server.
+ *
+ * L2J Server is free software: you can redistribute it and/or modify
+ * it under the terms of the GNU General Public License as published by
+ * the Free Software Foundation, either version 3 of the License, or
+ * (at your option) any later version.
+ *
+ * L2J Server is distributed in the hope that it will be useful,
+ * but WITHOUT ANY WARRANTY; without even the implied warranty of
+ * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
+ * General Public License for more details.
+ *
+ * You should have received a copy of the GNU General Public License
+ * along with this program. If not, see <http://www.gnu.org/licenses/>.
+ */
+package com.l2jserver.gameserver.model.interfaces;
+
+/**
+ * Identifiable objects interface.
+ * @author Clodoaldo Deniiz
+ */
+public interface IIdentifiable
+{
+    public int getId();
+}

Créditos : Radamantis "Clodoaldo Deniiz"

Custom PvP Zone

$
0
0

Disponibilizando mais um mod .

este mod faz com que você coloque qualquer area flag com autorespawn.

Index: java/com/l2jserver/gameserver/model/zone/type/L2CustomPvP.java
===================================================================
--- java/com/l2jserver/gameserver/model/zone/type/L2CustomPvP.java    (revision 169)
+++ java/com/l2jserver/gameserver/model/zone/type/L2CustomPvP.java    (working copy)
+/*
+ * This program is free software: you can redistribute it and/or modify it under
+ * the terms of the GNU General Public License as published by the Free Software
+ * Foundation, either version 3 of the License, or (at your option) any later
+ * version.
+ *
+ * This program is distributed in the hope that it will be useful, but WITHOUT
+ * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
+ * FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
+ * details.
+ *
+ * You should have received a copy of the GNU General Public License along with
+ * this program. If not, see <http://www.gnu.org/licenses/>.
+ */
+package com.l2jserver.gameserver.model.zone.type;
+
+import com.l2jserver.gameserver.ThreadPoolManager;
+import com.l2jserver.gameserver.model.actor.L2Character;
+import com.l2jserver.gameserver.model.actor.instance.L2PcInstance;
+import com.l2jserver.gameserver.model.zone.L2SpawnZone;
+import com.l2jserver.util.Rnd;
+
+
+/**
+ * An Custom PvP Zone
+ *
+ * @author  NeverMore
+ */
+public class L2CustomPvP extends L2SpawnZone
+{
+    //Ramdom Locations configs
+    private static int[] _x = {11551, 10999, 10401};
+    private static int[] _y = {-24264, -23576, -24030};
+    private static int[] _z = {-3644, -3651, -3660 };
+    
+    public L2CustomPvP(int id)
+    {
+        super(5555);
+    }
+    
+    @Override
+    protected void onEnter(L2Character character)
+    {
+        character.setInsideZone(L2Character.ZONE_PVP, true);
+        character.setInsideZone(L2Character.ZONE_NOSUMMONFRIEND, true);
+        
+           if (character instanceof L2PcInstance)
+           {
+               ((L2PcInstance) character).sendMessage("You enter a PvP Area");
+               ((L2PcInstance) character).setPvpFlag(1);               
+           }
+    }
+    
+    @Override
+    protected void onExit(L2Character character)
+    {
+        character.setInsideZone(L2Character.ZONE_PVP, false);
+        character.setInsideZone(L2Character.ZONE_NOSUMMONFRIEND, false);
+        
+        if (character instanceof L2PcInstance)
+        {
+            ((L2PcInstance) character).stopNoblesseBlessing(null);
+            ((L2PcInstance) character).setPvpFlag(0);
+            ((L2PcInstance) character).sendMessage("You exit from a PvP Area");
+        }
+    }
+    
+    static class BackToPvp implements Runnable
+    {
+        private L2Character _activeChar;
+
+        BackToPvp(L2Character character)
+        {
+            _activeChar = character;
+        }
+
+        @Override
+        public void run()
+        {
+            int r = Rnd.get(3);
+            _activeChar.teleToLocation(_x[r] , _y[r], _z[r]);
+        }
+    }
+    
+    @Override
+    public void onDieInside(L2Character character)
+    {
+           if (character instanceof L2PcInstance)
+           {
+           }
+    }
+    
+    @Override
+    public void onReviveInside(L2Character character)
+    {
+        ThreadPoolManager.getInstance().scheduleGeneral(new BackToPvp(character), 500);
+        ((L2PcInstance) character).isNoblesseBlessed();
+    }
+}

ZONE:-

    <zone name="primeval_peace1" type="CustomPvP" shape="NPoly" minZ="-4290" maxZ="-1290"> <!-- [20_17] -->
        <node X="10408" Y="-27395" />
        <node X="12065" Y="-25334" />
        <node X="12223" Y="-23159" />
        <node X="10424" Y="-22340" />
        <node X="9566" Y="-23131" />
        <node X="9290" Y="-24261" />
    </zone>
    <zone name=" primeval_peace2" type="CustomPvP" shape="NPoly" minZ="-4792" maxZ="208"> <!-- [20_17] -->
        <node X="4850" Y="-4736" />
        <node X="7294" Y="-4712" />
        <node X="8529" Y="-820" />
        <node X="3615" Y="-737" />
    </zone>

<zone name="Primeval Isle (Town Zone)" id="40001" type="CustomPvP" shape="Cuboid" minZ="-4300" maxZ="2700">
        <stat name="townId" val="19" />
        <node X="0" Y="-32768" />
        <node X="32678" Y="0" />
        <!-- TEMP FIX: Hardcoded until RespawnZones done -->
        <spawn X="11088" Y="-24768" Z="-3644" />
        <spawn X="10560" Y="-24656" Z="-3648" />
        <spawn X="10352" Y="-24240" Z="-3658" />
        <spawn X="10896" Y="-24112" Z="-3644" />
        <spawn X="10256" Y="-23680" Z="-3667" isChaotic="true" />
        <spawn X="10816" Y="-23552" Z="-3653" isChaotic="true" />
        <spawn X="11424" Y="-24064" Z="-3644" isChaotic="true" />
        <spawn X="10512" Y="-23072" Z="-3664" isChaotic="true" />
        <spawn X="9904" Y="-24128" Z="-3728" isChaotic="true" />
        <spawn X="10560" Y="-23920" Z="-3654" isChaotic="true" />
        <spawn X="11136" Y="-24384" Z="-3644" isChaotic="true" />
    </zone>

Assim fica a Ilha pvp flag :D

Autor : NeverMore Pela Criação.

Radamantis "Eu" Pela Postagem

[Share] Weapons IL 100 %

$
0
0

                       Olá 'Bandinerds'', estou trazendo aqui essas armas que eu senti muita falta nos servidores. espero que gostem.

 

 

                                                       YmfMLTW.jpg

                                                                               300px-Spiritual_Eye_photo.jpg

 

                                                        Atenção: Por favor antes de dizer que o conteúdo já existe, teste e veja a diferença. 

9331    Sirra's Blade
9332    Sword of Ipos
9333    Barakiel Axe
9334    Behemoth's Tuning Fork
9335    Naga Storm
9336    Tiphon's Spear
9337    Shyeed's Bow
9338    Sobekk's Hurricane
9339    Daimon Crystal
9340    Spiritual Eye
9341    Sirra's Blade    Haste
9342    Sirra's Blade    Health
9343    Sirra's Blade    Focus
9344    Sword of Ipos    Haste
9345    Sword of Ipos    Health
9346    Sword of Ipos   Focus 
9347    Barakiel Axe    HP Drain
9348    Barakiel Axe    Health
9349    Barakiel Axe    HP Regeneration
9350    Behemoth's Tuning Fork    HP Regeneration
9351    Behemoth's Tuning Fork    Health
9352    Behemoth's Tuning Fork    HP Drain
9353    Naga Storm    Crt. Damage
9354    Naga Storm    HP Drain
9355    Naga Storm    Haste
9356    Tiphon's Spear    Health
9357    Tiphon's Spear    Guidance
9358    Tiphon's Spear    Haste
9359    Shyeed's Bow    Cheap Shot
9360    Shyeed's Bow    Focus
9361    Shyeed's Bow    Critical Slow
9362    Sobekk's Hurricane    Focus
9363    Sobekk's Hurricane    Health
9364    Sobekk's Hurricane    Crt. Stun
9365    Daimon Crystal    Empower
9366    Daimon Crystal    MP Regeneration
9367    Daimon Crystal    Magic Hold
9368    Spiritual Eye    Acumen
9369    Spiritual Eye    MP Regeneration
9370    Spiritual Eye    Mana Up

No conteúdo há correções dos efeitos e mechas. 

Habilidades, peso, e o grade das armas convertido para (S)[ Itemname-e SQL e XML].

Download

 

download.gif

Tamanho: 4.45 KB

Créditos: NCsoft

and RootZero

 

Se você gostou, não esqueça de curtir o tópico. Obrigado.

 

Server Infinity / Underground Protocol 28


Lineage II Alpha - Interlude

$
0
0

l2logo.png

interlude.png


Olá.

Venho apresentar meu projeto Lineage II Apha - Interlude.

Eu desenvolvo java ha algum tempo e sempre gostei de jogar Lineage II.

Sempre desenvolvi algo pra amigos e/ou fiz correções pontuais mas nunca iniciei algo meu. Seja por falta de tempo ou uma real motivação pra iniciar um projeto.

 

Eu acho que o momento chegou e resolvi compartilhar aqui com vocês.

 

  "Arg.. Mais outro projeto que começa e não termina"  +o(

 "Puff.. Mas não tem nada nesse projeto..." :boxing:

 "Naaah.. Isso é só mais um pre configurado sem futuro igual os outro 1000 que tem aqui." :kkk:

 

Vamos lá...  :culto: 

Informações: 

 

Diferentes dos outros projetos que tem aqui, esse projeto não está "pronto" ou lotado de mods e outras coisas do gênero.

Eu o iniciei recentemente, fiz alguns testes, algumas correções e agora vou inciar a fase de implementações de mods.

 

Os mods que eu adicionei e vou adicionar e as correções deles e das funcionalidades padrão do Interlude, 

serão todos desenvolvidos 100% por mim, pra que eu possa garantir a qualidade do projeto. 

Sempre que alguma correção for realizada ou algo novo for implementado, uma versão para testes será disponibilizada aqui.

 

A base do projeto será habilitar as principais funcionalidade do jogo Lineage II Interlude de forma estável e funcional e adicionar mods necessário para gameplay mid e high rate.
Lembrando que tudo será configurável, podendo habilitar, configurar e desabilitar tanto os mods como algumas funções originais do jogo que tornem a jogabilidade mais proveitosa.

 

O que está funcionando como o oficial?

- Olimpiadas - 100%

Quests - 99%

Freight - 100%

Pescaria - 100%

Loteria - 100%

Siegable Clan Halls - 100%

Sieges - 98%

Entre outras coisas.

 

Updates:

 

=============================================================
0.0.1
Como os server mid e high rate de hoje são completamente
voltados pra pvp, meu primeiro mod após algumas correções
foi o ChaoticZone completa que atendesse a todos.
Esse mod foi desenvolvido por mim e está 100%.
 
Como funciona:
- Flag ao entrar
- Flag ao sair com a duração padrão (Evita a dor de cabeça de pks)
- Não possui o bug de entar, sair, entrar e o flag sumir
- Quem está fora pode atacar quem está dentro e fica flag
- Quem está dentro só bate em alguém de fora que esteja flag
ou em alguém não flag segurando o control e podendo dar pk.
=============================================================
 
  • Chaotic Zone system 
    • Can restart or not inside zone
    • Can make private store or not inside zone
    • Can summon or not inside zone
    • Can define players name color inside zone
    • Config File: gameserver\config\mods.properties
 
  • All Grand Boss and some Raid Boss Chaotic Zone
    • Grand Boss
      • Core
      • Orfen - Entire area
      • Queen Ant
      • Zaken - Entire island
      • Baium - Begins on 13th floor stairs
      • Antharas - Begins between heart and the bridge
      • Valakas - Begins between firt entry and heart
      • Scarlet Van Halisha - All boss entrance room
    • Raid Boss
      • Flame of Splendor Barakiel
      • Anakim
      • Lilith
      • Sailren

=============================================================

=============================================================

Obs: Eu sei, eu escrevo muito.  :ufa:

Sintam-se livres para críticas construtivas, sugestões e claro pra testar pra ver se "quebra".

 

Botao-Download.png

 

 

 

 

 

Como divulgar Seus projetos de forma automática no facebook

$
0
0

Galera estava navegando pela internet, e achei um site do Autopostfree eu já ate conhecia esse tipo de auto post, porem era tudo pago, esse e grátis!

Ele publica em todos os grupos e paginas do facebook, sem precisar esta de frente o computador, vc pode agendar o horário etc... realmente muito bom, dai resolvi compartilhar com vcs, pois ele e totalmente gratuito.

aqui esta o link deles ensina passo a passo http://autopostfree.com/

[Share] Gatekeeper Global

$
0
0

Olá Rapaziada, aqui esta mais uma contribuição ''minha''

Estou trazendo aqui esse npc GK Global que achei por ai, espero que gostem.

 

Pictures:

image.pngimage.png

Spoiler

 

Download

 

download.gif Ou download.gif

Tamanho: 515 KB

Créditos: LamprosJR

 

Se você gostou, não esqueça de curtir o tópico. Obrigado.

File Edit C3 ao Helios

$
0
0

Olá pessoal encontrei esse fileedit não testei mais como não vi nem um aqui então ta ai ,nunca testei 

C3: Rise of Darkness

C4: Scions of Destiny

C5: Oath of Blood

T0: Interlude

CT1: The Kamael

CT1.5: Hellbound

CT2.1: Gracia

CT2.2: Gracia

CT2.3: Gracia Final

CT2.4: Gracia Epilogue

CT2.5: Freya

CT2.6: High Five

GOD: Goddess of Destruction

GOD: Harmony

GOD: Tauti

GOD: GloryDays

GOD: Lindvior

GOD: Epeisodion

EP1_0: Ertheia

EP2_0: Infinite Odyssey & Classic

EP2_5: Underground & Classic

EP3_0: Helios

 

By Miko

 

Download

http://www.4shared.com/rar/pYSLj7Ugba/L2FileEdit.html

 

{Frozen, aCis, L2JServer H5} Quando criar o clan já vim Full level e skills.

$
0
0

Estou disponibilizando esse código simples que tenho aqui , quando você for no npc e criar um clan automaticamente ele vai vim level 8 e full skill.

 

Código L2JFrozen:

Spoiler

 

Código para aCis :

Spoiler

 

Código para L2JServer H5 :

 

Spoiler

 

Créditos : Tayran.JavaDev

Viewing all 543 articles
Browse latest View live