Jump to content

Recommended Posts

Posted

fe88ba27bdcc6aac5dc71a887b7aa915.gif

 

Being able to remove UD, Snipe, Stealth or CoV is great, especially in Interlude where these skills don't have a penalty enchant. Many people are already used to canceling Chant of Revenge before pressing Mirage or healing by removing Celestial Shield.

We will need

  • server sources
  • interface.u sources with compiler

 

Everything you need is freely available.


The server part

 

The server in our case is ACIS 36x, but any one will do (perhaps PTS). All that is required is to add a command that will remove the specified buff. To keep the example simple, let's get by with a bypass

To remove the buff, more modern clients send a RequestDispel packet , so we'll use the term dispel

First, let's add a dispel method to L2Character. Similar to more recent versions of the game, it will not remove effects that should remain after death (for example, penalties), debuffs, dances and songs:

 

// L2Character.java
 
public  final  void dispelSkillEffect ( int skillId, int skillLevel )  { 
	// Find skill with matching ID and level 
	final L2Skill skill = SkillTable. getInstance ( ) . getInfo ( skillId, skillLevel ) ; 
	// Skill wasn't found and can't be dispelled 
	if  ( skill ==  null ) 
	{ 
		return ; 
	} 
	// Penalty-like or debuff skill effect can't be dispelled 
	if  ( skill.isStayAfterDeath ( )  || skill. isDebuff ( ) ) 
	{ 
		return ; 
	} 
	// Dance-like skill effect can't be dispelled 
	if  ( skill. isDance ( ) ) 
	{ 
		return ; 
	} 
	// Stop skill effect by ID 
	_effects. stopSkillEffects ( skill. getId ( ) ) ; 
}
 
Code: Java

 

Now let's add the bypass handling to the runImpl of the RequestBypassToServer network packet that comes from the client. Since the dispelSkillEffect method requires a skill ID and skill level as arguments, the client must pass them as parameters to the dispel command :

 

// RequestBypassToServer.java
 
// Usage: _dispel:<int:skill_id>,<int:skill_level> 
// Example: _dispel:313,8 
else  if  ( _command. startsWith ( "_dispel" ) ) 
{ 
	// Cut out command params 
	String params = _command. substring ( _command. indexOf ( ":" )  +  1 ) ; 
	// Split params into tokens 
	StringTokenizer st =  new  StringTokenizer ( params, "," ) ; 
	// Get skill ID from first token 
	intid =  Integer . parseInt ( st.nextToken ( ) ) ; _ // Get skill level from second token int level = Integer . parseInt ( st.nextToken ( ) ) ; _ // Dispel skill effect on current character 
	activeChar. dispelSkillEffect ( id, level ) ; }
	
	 
	

 
Code: Java

 

 

Call example: _dispel:313,8 I

 

recommend making a command with similar parameters instead of bypass. In addition, then players will be able to write macros to remove the buff .

 

Client-side

 

cb549700b6c421ddf2b1455f686a37ad.png

 

Unfortunately, there is no easy way to track Alt + Click in the Interlude client, so we use the usual double-click of the left mouse button to remove the buff . The event will be handled by the AbnormalStatusWnd window , which displays the icons of buffs and debuffs
 

Algorithm:

 

  1. We listen in the window AbnormalStatusWnd double click event (OnLButtonDblClick)
  2. Determine the buff that was clicked (via StatusIcon.GetItem)
  3. Determine the ID and skill level of this buff (via GetSkillInfo)
  4. We send a request to the server (via RequestBypassToServer or ExecuteCommand)
  5. We call dispelSkillEffect on the server with the received ID and skill level

 

The double-click event of the left mouse button OnLButtonDblClick receives only the click coordinates as arguments. At the same time, StatusIcon.GetItem requires specifying the row and column of the cell. Accordingly, it is necessary to determine in which row and which column of our buffs the player clicked

 

Since we know that the size of the buff cell is 24 pixels, and the size of the handle for which the window is dragged is 12 pixels, it is easy to calculate the row and cell: it is enough to determine the coordinates of the window with buffs, subtract all values and divide the remainder by the cell size. Values will be rounded correctly when cast to int First, let's add the NSTATUSICON_SIZE

 

constant , which describes the size of the buff cell, to the top of the script. The rest of the developer's constants have already been described:

 

// AbnormalStatusWnd.uc
 
class AbnormalStatusWnd extends UIScript ;
 
const NSTATUSICON_FRAMESIZE =  12 ; 
const NSTATUSICON_MAXCOL =  12 ; 
const NSTATUSICON_SIZE =  24 ;
 
// ...
 

 

Now, anywhere (for example, immediately after the OnEvent function), add the handling of the double click event:

 

// AbnormalStatusWnd.uc
 
function OnLButtonDblClick ( int X ,  int Y )  { 
	local Rect windowBounds ; 
	local int targetRow ; 
	local int targetCol ;
 
	local StatusIconInfo info ; 
	local SkillInfo skillInfo ;
 
	// Find window position 
	windowBounds = Me. GetRect ( ) ;
 
	// Process clicks outside of window frame only 
	if  ( X >  ( windowBounds. nX +  NSTATUSICON_FRAMESIZE ) ) {  // 
		Calc row and col of targeted icon 
		targetRow =  ( Y - windowBounds. nY )  / NSTATUSICON_SIZE ; 
		targetCol =  ( X - windowBounds. nX  - NSTATUSICON_FRAMESIZE )  / NSTATUSICON_SIZE ;
 
		// Store status info of targeted icon 
		StatusIcon. GetItem ( targetRow , targetCol , info ) ;
 
		// Store actual skill info and make sure it is exists 
		if  ( GetSkillInfo ( info. ClassID , info. Level , skillInfo ) )  { 
			// Request server to stop skill effect 
			// Usage: _dispel:<int:skill_id>,<int :skill_level> 
			// Example: _dispel:313,8 
			RequestBypassToServer ( "_dispel:" $ string ( skillInfo. SkillID ) $ "," $ string ( skillInfo. SkillLevel ) ) ) ; 
		} 
	} 
}

 

Compile interface.u, copy it to the client, run the game

Done!

 

Thanks, to Freelu.

  • Like 1
  • Upvote 1
Posted (edited)

In case you want in 1 line:

 

public final void dispelSkillEffect(final int skillId, final int skillLevel)
{
	Optional.ofNullable(SkillTable.getInstance().getInfo(skillId, skillLevel)).filter(Objects::nonNull) .filter(Predicate.not(Skill::isStayAfterDeath)).filter(Predicate.not(Skill::isDebuff)).filter(Predicate.not(Skill::isDance)).ifPresent(s -> _effects.stopSkillEffects(s.getId()));
}

 

Edited by Kara
Posted
19 minutes ago, Kara said:

In case you want in 1 line:

 

public final void dispelSkillEffect(final int skillId, final int skillLevel)
{
	Optional.ofNullable(SkillTable.getInstance().getInfo(skillId, skillLevel)).filter(Objects::nonNull) .filter(Predicate.not(Skill::isStayAfterDeath)).filter(Predicate.not(Skill::isDebuff)).filter(Predicate.not(Skill::isDance)).ifPresent(s -> _effects.stopSkillEffects(s.getId()));
}

 

 

works too.

Posted
On 1/29/2022 at 3:55 PM, Celestine said:
// Find window position 
	windowBounds = Me. GetRect ( ) ;

Hi Celestine!, in the case of the "Me" variable, I think it was only necessary to describe to the people that it receives the window object in question that is being manipulated.

But great tutorial, congratulations.

Posted

i managed to add it on aCis 399 but i cannot dipsell the last skill of the buffs raw. all the rest are ok. any clue?

32 minutes ago, Eleven said:

i managed to add it on aCis 399 but i cannot dipsell the last skill of the buffs raw. all the rest are ok. any clue?

on the last buff on any raw you need to press at the very left edge to dispell it. if you click on the middle of th e buff icon nothing happened. also if you pres to remove the buff before the last in the row, it is removing the last buff. something wrong with positions

49 minutes ago, Eleven said:

i managed to add it on aCis 399 but i cannot dipsell the last skill of the buffs raw. all the rest are ok. any clue?

on the last buff on any raw you need to press at the very left edge to dispell it. if you click on the middle of th e buff icon nothing happened. also if you pres to remove the buff before the last in the row, it is removing the last buff. something wrong with positions

const NSTATUSICON_SIZE =  26 ; this i think must be 26 and not 24. for me now is working perfect

Posted
On 1/29/2022 at 9:24 PM, Kara said:

In case you want in 1 line:

 

public final void dispelSkillEffect(final int skillId, final int skillLevel)
{
	Optional.ofNullable(SkillTable.getInstance().getInfo(skillId, skillLevel)).filter(Objects::nonNull) .filter(Predicate.not(Skill::isStayAfterDeath)).filter(Predicate.not(Skill::isDebuff)).filter(Predicate.not(Skill::isDance)).ifPresent(s -> _effects.stopSkillEffects(s.getId()));
}

 

 

fckn retard. this is not oneline and the usage of lambdas is designed for passing interfaces as arguments.

 

ur "one line" is one line as this is one line

 

private void dumbtardOneLiner()
{
	printf("ur retarded\n");printf("ur retarded\n");printf("ur retarded\n");printf("ur retarded\n");printf("ur retarded\n");printf("ur retarded\n");
}

 

  • Haha 3
  • 7 months later...
  • 2 weeks later...
  • 1 year later...
Posted

that's for acis ?

On 1/29/2022 at 8:55 PM, Celestine said:
// AbnormalStatusWnd.uc
 
function OnLButtonDblClick ( int X ,  int Y )  { 
	local Rect windowBounds ; 
	local int targetRow ; 
	local int targetCol ;
 
	local StatusIconInfo info ; 
	local SkillInfo skillInfo ;
 
	// Find window position 
	windowBounds = Me. GetRect ( ) ;
 
	// Process clicks outside of window frame only 
	if  ( X >  ( windowBounds. nX +  NSTATUSICON_FRAMESIZE ) ) {  // 
		Calc row and col of targeted icon 
		targetRow =  ( Y - windowBounds. nY )  / NSTATUSICON_SIZE ; 
		targetCol =  ( X - windowBounds. nX  - NSTATUSICON_FRAMESIZE )  / NSTATUSICON_SIZE ;
 
		// Store status info of targeted icon 
		StatusIcon. GetItem ( targetRow , targetCol , info ) ;
 
		// Store actual skill info and make sure it is exists 
		if  ( GetSkillInfo ( info. ClassID , info. Level , skillInfo ) )  { 
			// Request server to stop skill effect 
			// Usage: _dispel:<int:skill_id>,<int :skill_level> 
			// Example: _dispel:313,8 
			RequestBypassToServer ( "_dispel:" $ string ( skillInfo. SkillID ) $ "," $ string ( skillInfo. SkillLevel ) ) ) ; 
		} 
	} 
}

image.png.144f0d8e251881e3c70a4706b2957de8.png 
your code have error my friend

PLEASE DON'T RIGHT CODES WITH FEETS !!! 

  • 5 months later...
Posted

Hello.
This code works well. It removes buff with double click, but If you preffer remove buff with ALT + mouse click, place this code in AbnormalStatusWnd.uc
 

function OnLButtonDown(WindowHandle a_WindowHandle, int X, int Y)
{ 

	local Rect windowBounds; 
	local int targetRow; 
	local int targetCol;
 
	local StatusIconInfo info; 
	local SkillInfo skillInfo;
 
 
	if (IsKeyDown(IK_alt) == false)
		return;
		
 
	// Find window position 
	windowBounds = Me.GetRect();
 
	// Process clicks outside of window frame only 
	if  (X > (windowBounds.nX + NSTATUSICON_FRAMESIZE))
	{  
		// Calc row and col of targeted icon 
		targetRow = (Y - windowBounds.nY) / NSTATUSICON_SIZE; 
		targetCol = (X - windowBounds.nX - NSTATUSICON_FRAMESIZE) / NSTATUSICON_SIZE;
 
		// Store status info of targeted icon 
		StatusIcon.GetItem(targetRow, targetCol, info);
 
		// Store actual skill info and make sure it is exists 
		if  (GetSkillInfo(info.ClassID, info.Level, skillInfo))
		{ 
			// Request server to stop skill effect 
			// Usage: _dispel:<int:skill_id>,<int :skill_level> 
			// Example: _dispel:313,8 
			RequestBypassToServer ( "_dispel:" $ string ( skillInfo. SkillID ) $ "," $ string ( skillInfo. SkillLevel ) ) ) ; 
		} 
	} 
}

 

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Reply to this topic...

×   Pasted as rich text.   Paste as plain text instead

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.

  • Posts

    • Bump NEW USER IN TELEGRAM AND DISCORD IS "mileanum"  NEW USER IN TELEGRAM AND DISCORD IS "mileanum"  NEW USER IN TELEGRAM AND DISCORD IS "mileanum" NEW USER IN TELEGRAM AND DISCORD IS "mileanum" 
    • I'm not sure what you're concerned about. Could you elaborate a bit?
    • Opening January 25 at 19:00 (UTC +2) Lineage2dex.com Open Beta Test from January 21 Hello everyone! *This is pre-announcing of new server, so we want to share some key points of this new server. (Full details we announce a bit latter). This will be not seasonal server, server will be separate from Union and our seasonal program. We see a demand for a relaxed setup on a new game server. In the summer of 2022, we launched the first Skadi server, and it gained popularity among our players. You’ve been asking if we’d open it again. Yes, the time has come! After a rather hardcore last season, we want to give you a chance to take a break from excessive grind and enjoy a true PvP server this winter!  Skadi x300 – a server designed for faster character progression and simplified gear acquisition, tailored for solo players and small groups. One of its key features is to reduce the grind and minimize the "mandatory" routines, making it less dependent on joining large clans for character development. Skadi introduces unique (experimental) solutions not typically found on Dex servers. This server offers a refreshing break from the heavy grind present in our recent seasons. Some features: All unique Dex features will be available: New zones, Raids, Talent Tree, MW/PvP version of items, Events, TvT system etc No need craft to get A/S gr equipment. But the crafting system will remain Balanced Olympiad Box Limits: A maximum of 2 clients per PC. Only 1 client can actively participate in PvP/PvE, while the second client is limited to trading and moving around Masterwork items are now easier to obtain, craft simplified When enchanting with a Blessed Enchant Scroll, a failure will no longer reset the enchant level to 0. Instead, it will decrease by a few levels When enchanting with a regular Enchant Scroll, a failure will not destroy the item but will "freeze" it. A frozen item can no longer be enchanted or upgraded, but it can still be used in PvP and PvE Automacros with no time limits, but restricted to one game window per PC A simplified system for obtaining enchants, life stones, and giant's codexes An additional Epic Boss system will allow even solo players and small groups to eventually obtain the coveted Epic jewelry (details we post later) All Raid Bosses have been updated and boosted to level 80 A detailed description of the server will be published soon. Stay tuned for updates! Movies from our players Skadi 2022:  
    • Unfortunately, I couldn't get it to work with Hamachi, the only IP allowed is 127.0.0.1... I don’t really have a reason to buy it, I don’t even have a live server, I just wanted to play with my friend, and the only reason I wanted this was for the DressMe mod... I guess I’ll have to use L2JMobius instead...
  • Topics

×
×
  • Create New...