Grand Crusade branch.
This commit is contained in:
		
							
								
								
									
										3190
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/Config.java
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										3190
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/Config.java
									
									
									
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										30
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/Server.java
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										30
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/Server.java
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,30 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius; | ||||
|  | ||||
| /** | ||||
|  * This class used to be the starter class, since LS/GS split, it only retains server mode | ||||
|  */ | ||||
| public class Server | ||||
| { | ||||
| 	// constants for the server mode | ||||
| 	private static final int MODE_NONE = 0; | ||||
| 	public static final int MODE_GAMESERVER = 1; | ||||
| 	public static final int MODE_LOGINSERVER = 2; | ||||
| 	 | ||||
| 	public static int serverMode = MODE_NONE; | ||||
| } | ||||
| @@ -0,0 +1,135 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.database; | ||||
|  | ||||
| import java.beans.PropertyVetoException; | ||||
| import java.sql.Connection; | ||||
| import java.sql.SQLException; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.mchange.v2.c3p0.ComboPooledDataSource; | ||||
|  | ||||
| /** | ||||
|  * Database Factory implementation. | ||||
|  * @author Zoey76, Mobius | ||||
|  */ | ||||
| public class DatabaseFactory | ||||
| { | ||||
| 	private static final Logger _log = Logger.getLogger(DatabaseFactory.class.getName()); | ||||
| 	 | ||||
| 	private final ComboPooledDataSource _dataSource; | ||||
| 	 | ||||
| 	public DatabaseFactory() | ||||
| 	{ | ||||
| 		if (Config.DATABASE_MAX_CONNECTIONS < 2) | ||||
| 		{ | ||||
| 			Config.DATABASE_MAX_CONNECTIONS = 2; | ||||
| 			_log.warning("A minimum of 2 connections are required."); | ||||
| 		} | ||||
| 		 | ||||
| 		_dataSource = new ComboPooledDataSource(); | ||||
| 		_dataSource.setAutoCommitOnClose(true); | ||||
| 		 | ||||
| 		_dataSource.setInitialPoolSize(10); | ||||
| 		_dataSource.setMinPoolSize(10); | ||||
| 		_dataSource.setMaxPoolSize(Math.max(10, Config.DATABASE_MAX_CONNECTIONS)); | ||||
| 		 | ||||
| 		_dataSource.setAcquireRetryAttempts(0); // try to obtain connections indefinitely (0 = never quit) | ||||
| 		_dataSource.setAcquireRetryDelay(500); // 500 milliseconds wait before try to acquire connection again | ||||
| 		_dataSource.setCheckoutTimeout(0); // 0 = wait indefinitely for new connection if pool is exhausted | ||||
| 		_dataSource.setAcquireIncrement(5); // if pool is exhausted, get 5 more connections at a time cause there is | ||||
| 		// a "long" delay on acquire connection so taking more than one connection at once will make connection pooling more effective. | ||||
| 		 | ||||
| 		// this "connection_test_table" is automatically created if not already there | ||||
| 		_dataSource.setAutomaticTestTable("connection_test_table"); | ||||
| 		_dataSource.setTestConnectionOnCheckin(false); | ||||
| 		 | ||||
| 		// testing OnCheckin used with IdleConnectionTestPeriod is faster than testing on checkout | ||||
| 		 | ||||
| 		_dataSource.setIdleConnectionTestPeriod(3600); // test idle connection every 60 sec | ||||
| 		_dataSource.setMaxIdleTime(Config.DATABASE_MAX_IDLE_TIME); // 0 = idle connections never expire | ||||
| 		// *THANKS* to connection testing configured above but I prefer to disconnect all connections not used for more than 1 hour | ||||
| 		 | ||||
| 		// enables statement caching, there is a "semi-bug" in c3p0 0.9.0 but in 0.9.0.2 and later it's fixed | ||||
| 		_dataSource.setMaxStatementsPerConnection(100); | ||||
| 		 | ||||
| 		_dataSource.setBreakAfterAcquireFailure(false); // never fail if any way possible setting this to true will make c3p0 "crash" | ||||
| 		// and refuse to work till restart thus making acquire errors "FATAL" ... we don't want that it should be possible to recover | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			_dataSource.setDriverClass(Config.DATABASE_DRIVER); | ||||
| 		} | ||||
| 		catch (PropertyVetoException e) | ||||
| 		{ | ||||
| 			e.printStackTrace(); | ||||
| 		} | ||||
| 		_dataSource.setJdbcUrl(Config.DATABASE_URL); | ||||
| 		_dataSource.setUser(Config.DATABASE_LOGIN); | ||||
| 		_dataSource.setPassword(Config.DATABASE_PASSWORD); | ||||
| 		 | ||||
| 		/* Test the connection */ | ||||
| 		try | ||||
| 		{ | ||||
| 			_dataSource.getConnection().close(); | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			e.printStackTrace(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public Connection getConnection() | ||||
| 	{ | ||||
| 		Connection con = null; | ||||
| 		while (con == null) | ||||
| 		{ | ||||
| 			try | ||||
| 			{ | ||||
| 				con = _dataSource.getConnection(); | ||||
| 			} | ||||
| 			catch (SQLException e) | ||||
| 			{ | ||||
| 				_log.warning(getClass().getSimpleName() + ": Unable to get a connection: " + e.getMessage()); | ||||
| 			} | ||||
| 		} | ||||
| 		return con; | ||||
| 	} | ||||
| 	 | ||||
| 	public void close() | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			_dataSource.close(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			_log.info(e.getMessage()); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static DatabaseFactory getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder.INSTANCE; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final DatabaseFactory INSTANCE = new DatabaseFactory(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,46 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import io.netty.channel.Channel; | ||||
| import io.netty.channel.ChannelHandlerContext; | ||||
| import io.netty.channel.SimpleChannelInboundHandler; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  * @param <T> | ||||
|  */ | ||||
| public abstract class ChannelInboundHandler<T extends ChannelInboundHandler<?>>extends SimpleChannelInboundHandler<IIncomingPacket<T>> | ||||
| { | ||||
| 	private Channel _channel; | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void channelActive(ChannelHandlerContext ctx) | ||||
| 	{ | ||||
| 		_channel = ctx.channel(); | ||||
| 	} | ||||
| 	 | ||||
| 	public void setConnectionState(IConnectionState connectionState) | ||||
| 	{ | ||||
| 		_channel.attr(IConnectionState.ATTRIBUTE_KEY).set(connectionState); | ||||
| 	} | ||||
| 	 | ||||
| 	public IConnectionState getConnectionState() | ||||
| 	{ | ||||
| 		return _channel != null ? _channel.attr(IConnectionState.ATTRIBUTE_KEY).get() : null; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,27 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import io.netty.util.AttributeKey; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public interface IConnectionState | ||||
| { | ||||
| 	AttributeKey<IConnectionState> ATTRIBUTE_KEY = AttributeKey.valueOf(IConnectionState.class, ""); | ||||
| } | ||||
| @@ -0,0 +1,29 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public interface ICrypt | ||||
| { | ||||
| 	void encrypt(ByteBuf buf); | ||||
| 	 | ||||
| 	void decrypt(ByteBuf buf); | ||||
| } | ||||
| @@ -0,0 +1,34 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  * @param <T> | ||||
|  */ | ||||
| public interface IIncomingPacket<T> | ||||
| { | ||||
| 	/** | ||||
| 	 * Reads a packet. | ||||
| 	 * @param client the client | ||||
| 	 * @param packet the packet reader | ||||
| 	 * @return {@code true} if packet was read successfully, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	boolean read(T client, PacketReader packet); | ||||
| 	 | ||||
| 	void run(T client) throws Exception; | ||||
| } | ||||
| @@ -0,0 +1,32 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import java.util.Set; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  * @param <T> | ||||
|  */ | ||||
| public interface IIncomingPackets<T>extends IConnectionState | ||||
| { | ||||
| 	int getPacketId(); | ||||
| 	 | ||||
| 	IIncomingPacket<T> newIncomingPacket(); | ||||
| 	 | ||||
| 	Set<IConnectionState> getConnectionStates(); | ||||
| } | ||||
| @@ -0,0 +1,29 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public interface IOutgoingPacket | ||||
| { | ||||
| 	/** | ||||
| 	 * @param packet the packet writer | ||||
| 	 * @return {@code true} if packet was writen successfully, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	boolean write(PacketWriter packet); | ||||
| } | ||||
| @@ -0,0 +1,76 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import io.netty.bootstrap.ServerBootstrap; | ||||
| import io.netty.buffer.PooledByteBufAllocator; | ||||
| import io.netty.channel.ChannelFuture; | ||||
| import io.netty.channel.ChannelInitializer; | ||||
| import io.netty.channel.ChannelOption; | ||||
| import io.netty.channel.EventLoopGroup; | ||||
| import io.netty.channel.socket.SocketChannel; | ||||
| import io.netty.channel.socket.nio.NioServerSocketChannel; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public class NetworkManager | ||||
| { | ||||
| 	private final Logger LOGGER = Logger.getLogger(getClass().getName()); | ||||
| 	 | ||||
| 	private final ServerBootstrap _serverBootstrap; | ||||
| 	private final String _host; | ||||
| 	private final int _port; | ||||
| 	 | ||||
| 	private ChannelFuture _channelFuture; | ||||
| 	 | ||||
| 	public NetworkManager(EventLoopGroup bossGroup, EventLoopGroup workerGroup, ChannelInitializer<SocketChannel> clientInitializer, String host, int port) | ||||
| 	{ | ||||
| 		// @formatter:off | ||||
| 		_serverBootstrap = new ServerBootstrap() | ||||
| 			.group(bossGroup, workerGroup) | ||||
| 			.channel(NioServerSocketChannel.class) | ||||
| 			.childHandler(clientInitializer) | ||||
| 			.childOption(ChannelOption.ALLOCATOR, PooledByteBufAllocator.DEFAULT); | ||||
| 		// @formatter:on | ||||
| 		_host = host; | ||||
| 		_port = port; | ||||
| 	} | ||||
| 	 | ||||
| 	public ChannelFuture getChannelFuture() | ||||
| 	{ | ||||
| 		return _channelFuture; | ||||
| 	} | ||||
| 	 | ||||
| 	public void start() throws InterruptedException | ||||
| 	{ | ||||
| 		if ((_channelFuture != null) && !_channelFuture.isDone()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_channelFuture = _serverBootstrap.bind(_host, _port).sync(); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Listening on " + _host + ":" + _port); | ||||
| 	} | ||||
| 	 | ||||
| 	public void stop() throws InterruptedException | ||||
| 	{ | ||||
| 		_channelFuture.channel().close().sync(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,163 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public final class PacketReader | ||||
| { | ||||
| 	private final ByteBuf _buf; | ||||
| 	 | ||||
| 	public PacketReader(ByteBuf buf) | ||||
| 	{ | ||||
| 		_buf = buf; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the readable bytes. | ||||
| 	 * @return the readable bytes | ||||
| 	 */ | ||||
| 	public int getReadableBytes() | ||||
| 	{ | ||||
| 		return _buf.readableBytes(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads an unsigned byte. | ||||
| 	 * @return the unsigned byte | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 1} | ||||
| 	 */ | ||||
| 	public short readC() | ||||
| 	{ | ||||
| 		return _buf.readUnsignedByte(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads an unsigned short. | ||||
| 	 * @return the unsigned short | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 2} | ||||
| 	 */ | ||||
| 	public int readH() | ||||
| 	{ | ||||
| 		return _buf.readUnsignedShortLE(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads an integer. | ||||
| 	 * @return the integer | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 4} | ||||
| 	 */ | ||||
| 	public int readD() | ||||
| 	{ | ||||
| 		return _buf.readIntLE(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a long. | ||||
| 	 * @return the long | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 8} | ||||
| 	 */ | ||||
| 	public long readQ() | ||||
| 	{ | ||||
| 		return _buf.readLongLE(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a float. | ||||
| 	 * @return the float | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 4} | ||||
| 	 */ | ||||
| 	public float readE() | ||||
| 	{ | ||||
| 		return Float.intBitsToFloat(_buf.readIntLE()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a double. | ||||
| 	 * @return the double | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 8} | ||||
| 	 */ | ||||
| 	public double readF() | ||||
| 	{ | ||||
| 		return Double.longBitsToDouble(_buf.readLongLE()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a string. | ||||
| 	 * @return the string | ||||
| 	 * @throws IndexOutOfBoundsException if string {@code null} terminator is not found within {@code readableBytes} | ||||
| 	 */ | ||||
| 	public String readS() | ||||
| 	{ | ||||
| 		final StringBuilder sb = new StringBuilder(); | ||||
| 		char chr; | ||||
| 		while ((chr = Character.reverseBytes(_buf.readChar())) != 0) | ||||
| 		{ | ||||
| 			sb.append(chr); | ||||
| 		} | ||||
| 		return sb.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a fixed length string. | ||||
| 	 * @return the string | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code 2 + String.length * 2} | ||||
| 	 */ | ||||
| 	public String readString() | ||||
| 	{ | ||||
| 		final StringBuilder sb = new StringBuilder(); | ||||
| 		final int stringLength = _buf.readShortLE(); | ||||
| 		if ((stringLength * 2) > getReadableBytes()) | ||||
| 		{ | ||||
| 			throw new IndexOutOfBoundsException("readerIndex(" + _buf.readerIndex() + ") + length(" + (stringLength * 2) + ") exceeds writerIndex(" + _buf.writerIndex() + "): " + _buf); | ||||
| 		} | ||||
| 		 | ||||
| 		for (int i = 0; i < stringLength; i++) | ||||
| 		{ | ||||
| 			sb.append(Character.reverseBytes(_buf.readChar())); | ||||
| 		} | ||||
| 		return sb.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a byte array. | ||||
| 	 * @param length the length | ||||
| 	 * @return the byte array | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code length} | ||||
| 	 */ | ||||
| 	public byte[] readB(int length) | ||||
| 	{ | ||||
| 		final byte[] result = new byte[length]; | ||||
| 		_buf.readBytes(result); | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Reads a byte array. | ||||
| 	 * @param dst the destination | ||||
| 	 * @param dstIndex the destination index to start writing the bytes from | ||||
| 	 * @param length the length | ||||
| 	 * @throws IndexOutOfBoundsException if {@code readableBytes} is less than {@code length}, if the specified dstIndex is less than 0 or if {@code dstIndex + length} is greater than {@code dst.length} | ||||
| 	 */ | ||||
| 	public void readB(byte[] dst, int dstIndex, int length) | ||||
| 	{ | ||||
| 		_buf.readBytes(dst, dstIndex, length); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,141 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public final class PacketWriter | ||||
| { | ||||
| 	private final ByteBuf _buf; | ||||
| 	 | ||||
| 	public PacketWriter(ByteBuf buf) | ||||
| 	{ | ||||
| 		_buf = buf; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the writable bytes. | ||||
| 	 * @return the writable bytes | ||||
| 	 */ | ||||
| 	public int getWritableBytes() | ||||
| 	{ | ||||
| 		return _buf.writableBytes(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a byte. | ||||
| 	 * @param value the byte (The 24 high-order bits are ignored) | ||||
| 	 */ | ||||
| 	public void writeC(int value) | ||||
| 	{ | ||||
| 		_buf.writeByte(value); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a short. | ||||
| 	 * @param value the short (The 16 high-order bits are ignored) | ||||
| 	 */ | ||||
| 	public void writeH(int value) | ||||
| 	{ | ||||
| 		_buf.writeShortLE(value); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes an integer. | ||||
| 	 * @param value the integer | ||||
| 	 */ | ||||
| 	public void writeD(int value) | ||||
| 	{ | ||||
| 		_buf.writeIntLE(value); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a long. | ||||
| 	 * @param value the long | ||||
| 	 */ | ||||
| 	public void writeQ(long value) | ||||
| 	{ | ||||
| 		_buf.writeLongLE(value); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a float. | ||||
| 	 * @param value the float | ||||
| 	 */ | ||||
| 	public void writeE(float value) | ||||
| 	{ | ||||
| 		_buf.writeIntLE(Float.floatToIntBits(value)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a double. | ||||
| 	 * @param value the double | ||||
| 	 */ | ||||
| 	public void writeF(double value) | ||||
| 	{ | ||||
| 		_buf.writeLongLE(Double.doubleToLongBits(value)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a string. | ||||
| 	 * @param value the string | ||||
| 	 */ | ||||
| 	public void writeS(String value) | ||||
| 	{ | ||||
| 		if (value != null) | ||||
| 		{ | ||||
| 			for (int i = 0; i < value.length(); i++) | ||||
| 			{ | ||||
| 				_buf.writeChar(Character.reverseBytes(value.charAt(i))); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		_buf.writeChar(0); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a string with fixed length specified as [short length, char[length] data]. | ||||
| 	 * @param value the string | ||||
| 	 */ | ||||
| 	public void writeString(String value) | ||||
| 	{ | ||||
| 		if (value != null) | ||||
| 		{ | ||||
| 			_buf.writeShortLE(value.length()); | ||||
| 			for (int i = 0; i < value.length(); i++) | ||||
| 			{ | ||||
| 				_buf.writeChar(Character.reverseBytes(value.charAt(i))); | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_buf.writeShort(0); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Writes a byte array. | ||||
| 	 * @param bytes the byte array | ||||
| 	 */ | ||||
| 	public void writeB(byte[] bytes) | ||||
| 	{ | ||||
| 		_buf.writeBytes(bytes); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,71 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network.codecs; | ||||
|  | ||||
| import java.util.List; | ||||
|  | ||||
| import com.l2jmobius.commons.network.ICrypt; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
| import io.netty.channel.ChannelHandlerContext; | ||||
| import io.netty.handler.codec.ByteToMessageCodec; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| public class CryptCodec extends ByteToMessageCodec<ByteBuf> | ||||
| { | ||||
| 	private final ICrypt _crypt; | ||||
| 	 | ||||
| 	public CryptCodec(ICrypt crypt) | ||||
| 	{ | ||||
| 		super(); | ||||
| 		_crypt = crypt; | ||||
| 	} | ||||
| 	 | ||||
| 	/* | ||||
| 	 * (non-Javadoc) | ||||
| 	 * @see io.netty.handler.codec.ByteToMessageCodec#encode(io.netty.channel.ChannelHandlerContext, java.lang.Object, io.netty.buffer.ByteBuf) | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void encode(ChannelHandlerContext ctx, ByteBuf msg, ByteBuf out) | ||||
| 	{ | ||||
| 		// Check if there are any data to encrypt. | ||||
| 		if (!msg.isReadable()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		msg.resetReaderIndex(); | ||||
| 		_crypt.encrypt(msg); | ||||
| 		msg.resetReaderIndex(); | ||||
| 		out.writeBytes(msg); | ||||
| 	} | ||||
| 	 | ||||
| 	/* | ||||
| 	 * (non-Javadoc) | ||||
| 	 * @see io.netty.handler.codec.ByteToMessageCodec#decode(io.netty.channel.ChannelHandlerContext, io.netty.buffer.ByteBuf, java.util.List) | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void decode(ChannelHandlerContext ctx, ByteBuf in, List<Object> out) | ||||
| 	{ | ||||
| 		in.resetReaderIndex(); | ||||
| 		_crypt.decrypt(in); | ||||
| 		in.readerIndex(in.writerIndex()); | ||||
| 		out.add(in.copy(0, in.writerIndex())); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,41 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network.codecs; | ||||
|  | ||||
| import java.util.List; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
| import io.netty.channel.ChannelHandler.Sharable; | ||||
| import io.netty.channel.ChannelHandlerContext; | ||||
| import io.netty.handler.codec.MessageToMessageEncoder; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| @Sharable | ||||
| public class LengthFieldBasedFrameEncoder extends MessageToMessageEncoder<ByteBuf> | ||||
| { | ||||
| 	@Override | ||||
| 	protected void encode(ChannelHandlerContext ctx, ByteBuf msg, List<Object> out) | ||||
| 	{ | ||||
| 		final ByteBuf buf = ctx.alloc().buffer(2); | ||||
| 		final short length = (short) (msg.readableBytes() + 2); | ||||
| 		buf.writeShortLE(length); | ||||
| 		out.add(buf); | ||||
| 		out.add(msg.retain()); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,91 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network.codecs; | ||||
|  | ||||
| import java.util.List; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.network.IConnectionState; | ||||
| import com.l2jmobius.commons.network.IIncomingPacket; | ||||
| import com.l2jmobius.commons.network.IIncomingPackets; | ||||
| import com.l2jmobius.commons.network.PacketReader; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
| import io.netty.channel.ChannelHandlerContext; | ||||
| import io.netty.handler.codec.ByteToMessageDecoder; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  * @param <T> | ||||
|  */ | ||||
| public class PacketDecoder<T>extends ByteToMessageDecoder | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(PacketDecoder.class.getName()); | ||||
| 	 | ||||
| 	private final IIncomingPackets<T>[] _incomingPackets; | ||||
| 	private final T _client; | ||||
| 	 | ||||
| 	public PacketDecoder(IIncomingPackets<T>[] incomingPackets, T client) | ||||
| 	{ | ||||
| 		_incomingPackets = incomingPackets; | ||||
| 		_client = client; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void decode(ChannelHandlerContext ctx, ByteBuf in, List<Object> out) | ||||
| 	{ | ||||
| 		if ((in == null) || !in.isReadable()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			final short packetId = in.readUnsignedByte(); | ||||
| 			if (packetId >= _incomingPackets.length) | ||||
| 			{ | ||||
| 				LOGGER.finer("Unknown packet: " + Integer.toHexString(packetId)); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			final IIncomingPackets<T> incomingPacket = _incomingPackets[packetId]; | ||||
| 			if (incomingPacket == null) | ||||
| 			{ | ||||
| 				LOGGER.finer("Unknown packet: " + Integer.toHexString(packetId)); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			final IConnectionState connectionState = ctx.channel().attr(IConnectionState.ATTRIBUTE_KEY).get(); | ||||
| 			if ((connectionState == null) || !incomingPacket.getConnectionStates().contains(connectionState)) | ||||
| 			{ | ||||
| 				// LOGGER.warning(incomingPacket + ": Connection at invalid state: " + connectionState + " Required States: " + incomingPacket.getConnectionStates()); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			final IIncomingPacket<T> packet = incomingPacket.newIncomingPacket(); | ||||
| 			if ((packet != null) && packet.read(_client, new PacketReader(in))) | ||||
| 			{ | ||||
| 				out.add(packet); | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			// We always consider that we read whole packet. | ||||
| 			in.readerIndex(in.writerIndex()); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,71 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.network.codecs; | ||||
|  | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.network.IOutgoingPacket; | ||||
| import com.l2jmobius.commons.network.PacketWriter; | ||||
|  | ||||
| import io.netty.buffer.ByteBuf; | ||||
| import io.netty.channel.ChannelHandler.Sharable; | ||||
| import io.netty.channel.ChannelHandlerContext; | ||||
| import io.netty.handler.codec.MessageToByteEncoder; | ||||
|  | ||||
| /** | ||||
|  * @author Nos | ||||
|  */ | ||||
| @Sharable | ||||
| public class PacketEncoder extends MessageToByteEncoder<IOutgoingPacket> | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(PacketEncoder.class.getName()); | ||||
| 	 | ||||
| 	private final int _maxPacketSize; | ||||
| 	 | ||||
| 	public PacketEncoder(int maxPacketSize) | ||||
| 	{ | ||||
| 		super(); | ||||
| 		_maxPacketSize = maxPacketSize; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void encode(ChannelHandlerContext ctx, IOutgoingPacket packet, ByteBuf out) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			if (packet.write(new PacketWriter(out))) | ||||
| 			{ | ||||
| 				if (out.writerIndex() > _maxPacketSize) | ||||
| 				{ | ||||
| 					throw new IllegalStateException("Packet (" + packet + ") size (" + out.writerIndex() + ") is bigger than the limit (" + _maxPacketSize + ")"); | ||||
| 				} | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// Avoid sending the packet | ||||
| 				out.clear(); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Throwable e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Failed sending Packet(" + packet + ")", e); | ||||
| 			// Avoid sending the packet if some exception happened | ||||
| 			out.clear(); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,564 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.IOException; | ||||
| import java.io.PrintWriter; | ||||
| import java.io.StringWriter; | ||||
| import java.nio.ByteBuffer; | ||||
| import java.time.DayOfWeek; | ||||
| import java.time.LocalDateTime; | ||||
| import java.time.temporal.TemporalAdjusters; | ||||
| import java.util.Arrays; | ||||
| import java.util.Comparator; | ||||
| import java.util.List; | ||||
| import java.util.StringJoiner; | ||||
| import java.util.StringTokenizer; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
|  | ||||
| public final class CommonUtil | ||||
| { | ||||
| 	private static final char[] ILLEGAL_CHARACTERS = | ||||
| 	{ | ||||
| 		'/', | ||||
| 		'\n', | ||||
| 		'\r', | ||||
| 		'\t', | ||||
| 		'\0', | ||||
| 		'\f', | ||||
| 		'`', | ||||
| 		'?', | ||||
| 		'*', | ||||
| 		'\\', | ||||
| 		'<', | ||||
| 		'>', | ||||
| 		'|', | ||||
| 		'\"', | ||||
| 		':' | ||||
| 	}; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal representation of a byte array.<br> | ||||
| 	 * 16 bytes per row, while ascii chars or "." is shown at the end of the line. | ||||
| 	 * @param data the byte array to be represented in hexadecimal representation | ||||
| 	 * @param len the number of bytes to represent in hexadecimal representation | ||||
| 	 * @return byte array represented in hexadecimal format | ||||
| 	 */ | ||||
| 	public static String printData(byte[] data, int len) | ||||
| 	{ | ||||
| 		return new String(HexUtils.bArr2HexEdChars(data, len)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This call is equivalent to Util.printData(data, data.length) | ||||
| 	 * @see CommonUtil#printData(byte[],int) | ||||
| 	 * @param data data to represent in hexadecimal | ||||
| 	 * @return byte array represented in hexadecimal format | ||||
| 	 */ | ||||
| 	public static String printData(byte[] data) | ||||
| 	{ | ||||
| 		return printData(data, data.length); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to represent the remaining bytes of a ByteBuffer as hexadecimal | ||||
| 	 * @param buf ByteBuffer to represent the remaining bytes of as hexadecimal | ||||
| 	 * @return hexadecimal representation of remaining bytes of the ByteBuffer | ||||
| 	 */ | ||||
| 	public static String printData(ByteBuffer buf) | ||||
| 	{ | ||||
| 		final byte[] data = new byte[buf.remaining()]; | ||||
| 		buf.get(data); | ||||
| 		final String hex = CommonUtil.printData(data, data.length); | ||||
| 		buf.position(buf.position() - data.length); | ||||
| 		return hex; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate a random sequence of bytes returned as byte array | ||||
| 	 * @param size number of random bytes to generate | ||||
| 	 * @return byte array with sequence of random bytes | ||||
| 	 */ | ||||
| 	public static byte[] generateHex(int size) | ||||
| 	{ | ||||
| 		final byte[] array = new byte[size]; | ||||
| 		Rnd.nextBytes(array); | ||||
| 		 | ||||
| 		// Don't allow 0s inside the array! | ||||
| 		for (int i = 0; i < array.length; i++) | ||||
| 		{ | ||||
| 			while (array[i] == 0) | ||||
| 			{ | ||||
| 				array[i] = (byte) Rnd.get(Byte.MAX_VALUE); | ||||
| 			} | ||||
| 		} | ||||
| 		return array; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Replaces most invalid characters for the given string with an underscore. | ||||
| 	 * @param str the string that may contain invalid characters | ||||
| 	 * @return the string with invalid character replaced by underscores | ||||
| 	 */ | ||||
| 	public static String replaceIllegalCharacters(String str) | ||||
| 	{ | ||||
| 		String valid = str; | ||||
| 		for (char c : ILLEGAL_CHARACTERS) | ||||
| 		{ | ||||
| 			valid = valid.replace(c, '_'); | ||||
| 		} | ||||
| 		return valid; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Verify if a file name is valid. | ||||
| 	 * @param name the name of the file | ||||
| 	 * @return {@code true} if the file name is valid, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public static boolean isValidFileName(String name) | ||||
| 	{ | ||||
| 		final File f = new File(name); | ||||
| 		try | ||||
| 		{ | ||||
| 			f.getCanonicalPath(); | ||||
| 			return true; | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Split words with a space. | ||||
| 	 * @param input the string to split | ||||
| 	 * @return the split string | ||||
| 	 */ | ||||
| 	public static String splitWords(String input) | ||||
| 	{ | ||||
| 		return input.replaceAll("(\\p{Ll})(\\p{Lu})", "$1 $2"); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the next or same closest date from the specified days in {@code daysOfWeek Array} at specified {@code hour} and {@code min}. | ||||
| 	 * @param daysOfWeek the days of week | ||||
| 	 * @param hour the hour | ||||
| 	 * @param min the min | ||||
| 	 * @return the next or same date from the days of week at specified time | ||||
| 	 * @throws IllegalArgumentException if the {@code daysOfWeek Array} is empty. | ||||
| 	 */ | ||||
| 	public static LocalDateTime getNextClosestDateTime(DayOfWeek[] daysOfWeek, int hour, int min) throws IllegalArgumentException | ||||
| 	{ | ||||
| 		return getNextClosestDateTime(Arrays.asList(daysOfWeek), hour, min); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the next or same closest date from the specified days in {@code daysOfWeek List} at specified {@code hour} and {@code min}. | ||||
| 	 * @param daysOfWeek the days of week | ||||
| 	 * @param hour the hour | ||||
| 	 * @param min the min | ||||
| 	 * @return the next or same date from the days of week at specified time | ||||
| 	 * @throws IllegalArgumentException if the {@code daysOfWeek List} is empty. | ||||
| 	 */ | ||||
| 	public static LocalDateTime getNextClosestDateTime(List<DayOfWeek> daysOfWeek, int hour, int min) throws IllegalArgumentException | ||||
| 	{ | ||||
| 		if (daysOfWeek.isEmpty()) | ||||
| 		{ | ||||
| 			throw new IllegalArgumentException("daysOfWeek should not be empty."); | ||||
| 		} | ||||
| 		 | ||||
| 		final LocalDateTime dateNow = LocalDateTime.now(); | ||||
| 		final LocalDateTime dateNowWithDifferentTime = dateNow.withHour(hour).withMinute(min).withSecond(0); | ||||
| 		 | ||||
| 		// @formatter:off | ||||
| 		return daysOfWeek.stream() | ||||
| 			.map(d -> dateNowWithDifferentTime.with(TemporalAdjusters.nextOrSame(d))) | ||||
| 			.filter(d -> d.isAfter(dateNow)) | ||||
| 			.min(Comparator.naturalOrder()) | ||||
| 			.orElse(dateNowWithDifferentTime.with(TemporalAdjusters.next(daysOfWeek.get(0)))); | ||||
| 		// @formatter:on | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to get the stack trace of a Throwable into a String | ||||
| 	 * @param t Throwable to get the stacktrace from | ||||
| 	 * @return stack trace from Throwable as String | ||||
| 	 */ | ||||
| 	public static String getStackTrace(Throwable t) | ||||
| 	{ | ||||
| 		final StringWriter sw = new StringWriter(); | ||||
| 		t.printStackTrace(new PrintWriter(sw)); | ||||
| 		return sw.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static String getTraceString(StackTraceElement[] stackTraceElements) | ||||
| 	{ | ||||
| 		final StringJoiner sj = new StringJoiner(Config.EOL); | ||||
| 		for (StackTraceElement stackTraceElement : stackTraceElements) | ||||
| 		{ | ||||
| 			sj.add(stackTraceElement.toString()); | ||||
| 		} | ||||
| 		return sj.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static int min(int value1, int value2, int... values) | ||||
| 	{ | ||||
| 		int min = Math.min(value1, value2); | ||||
| 		for (int value : values) | ||||
| 		{ | ||||
| 			if (min > value) | ||||
| 			{ | ||||
| 				min = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return min; | ||||
| 	} | ||||
| 	 | ||||
| 	public static int max(int value1, int value2, int... values) | ||||
| 	{ | ||||
| 		int max = Math.max(value1, value2); | ||||
| 		for (int value : values) | ||||
| 		{ | ||||
| 			if (max < value) | ||||
| 			{ | ||||
| 				max = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return max; | ||||
| 	} | ||||
| 	 | ||||
| 	public static long min(long value1, long value2, long... values) | ||||
| 	{ | ||||
| 		long min = Math.min(value1, value2); | ||||
| 		for (long value : values) | ||||
| 		{ | ||||
| 			if (min > value) | ||||
| 			{ | ||||
| 				min = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return min; | ||||
| 	} | ||||
| 	 | ||||
| 	public static long max(long value1, long value2, long... values) | ||||
| 	{ | ||||
| 		long max = Math.max(value1, value2); | ||||
| 		for (long value : values) | ||||
| 		{ | ||||
| 			if (max < value) | ||||
| 			{ | ||||
| 				max = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return max; | ||||
| 	} | ||||
| 	 | ||||
| 	public static float min(float value1, float value2, float... values) | ||||
| 	{ | ||||
| 		float min = Math.min(value1, value2); | ||||
| 		for (float value : values) | ||||
| 		{ | ||||
| 			if (min > value) | ||||
| 			{ | ||||
| 				min = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return min; | ||||
| 	} | ||||
| 	 | ||||
| 	public static float max(float value1, float value2, float... values) | ||||
| 	{ | ||||
| 		float max = Math.max(value1, value2); | ||||
| 		for (float value : values) | ||||
| 		{ | ||||
| 			if (max < value) | ||||
| 			{ | ||||
| 				max = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return max; | ||||
| 	} | ||||
| 	 | ||||
| 	public static double min(double value1, double value2, double... values) | ||||
| 	{ | ||||
| 		double min = Math.min(value1, value2); | ||||
| 		for (double value : values) | ||||
| 		{ | ||||
| 			if (min > value) | ||||
| 			{ | ||||
| 				min = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return min; | ||||
| 	} | ||||
| 	 | ||||
| 	public static double max(double value1, double value2, double... values) | ||||
| 	{ | ||||
| 		double max = Math.max(value1, value2); | ||||
| 		for (double value : values) | ||||
| 		{ | ||||
| 			if (max < value) | ||||
| 			{ | ||||
| 				max = value; | ||||
| 			} | ||||
| 		} | ||||
| 		return max; | ||||
| 	} | ||||
| 	 | ||||
| 	public static int getIndexOfMaxValue(int... array) | ||||
| 	{ | ||||
| 		int index = 0; | ||||
| 		for (int i = 1; i < array.length; i++) | ||||
| 		{ | ||||
| 			if (array[i] > array[index]) | ||||
| 			{ | ||||
| 				index = i; | ||||
| 			} | ||||
| 		} | ||||
| 		return index; | ||||
| 	} | ||||
| 	 | ||||
| 	public static int getIndexOfMinValue(int... array) | ||||
| 	{ | ||||
| 		int index = 0; | ||||
| 		for (int i = 1; i < array.length; i++) | ||||
| 		{ | ||||
| 			if (array[i] < array[index]) | ||||
| 			{ | ||||
| 				index = i; | ||||
| 			} | ||||
| 		} | ||||
| 		return index; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Re-Maps a value from one range to another. | ||||
| 	 * @param input | ||||
| 	 * @param inputMin | ||||
| 	 * @param inputMax | ||||
| 	 * @param outputMin | ||||
| 	 * @param outputMax | ||||
| 	 * @return The mapped value | ||||
| 	 */ | ||||
| 	public static int map(int input, int inputMin, int inputMax, int outputMin, int outputMax) | ||||
| 	{ | ||||
| 		input = constrain(input, inputMin, inputMax); | ||||
| 		return (((input - inputMin) * (outputMax - outputMin)) / (inputMax - inputMin)) + outputMin; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Re-Maps a value from one range to another. | ||||
| 	 * @param input | ||||
| 	 * @param inputMin | ||||
| 	 * @param inputMax | ||||
| 	 * @param outputMin | ||||
| 	 * @param outputMax | ||||
| 	 * @return The mapped value | ||||
| 	 */ | ||||
| 	public static long map(long input, long inputMin, long inputMax, long outputMin, long outputMax) | ||||
| 	{ | ||||
| 		input = constrain(input, inputMin, inputMax); | ||||
| 		return (((input - inputMin) * (outputMax - outputMin)) / (inputMax - inputMin)) + outputMin; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Re-Maps a value from one range to another. | ||||
| 	 * @param input | ||||
| 	 * @param inputMin | ||||
| 	 * @param inputMax | ||||
| 	 * @param outputMin | ||||
| 	 * @param outputMax | ||||
| 	 * @return The mapped value | ||||
| 	 */ | ||||
| 	public static double map(double input, double inputMin, double inputMax, double outputMin, double outputMax) | ||||
| 	{ | ||||
| 		input = constrain(input, inputMin, inputMax); | ||||
| 		return (((input - inputMin) * (outputMax - outputMin)) / (inputMax - inputMin)) + outputMin; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Constrains a number to be within a range. | ||||
| 	 * @param input the number to constrain, all data types | ||||
| 	 * @param min the lower end of the range, all data types | ||||
| 	 * @param max the upper end of the range, all data types | ||||
| 	 * @return input: if input is between min and max, min: if input is less than min, max: if input is greater than max | ||||
| 	 */ | ||||
| 	public static int constrain(int input, int min, int max) | ||||
| 	{ | ||||
| 		return (input < min) ? min : (input > max) ? max : input; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Constrains a number to be within a range. | ||||
| 	 * @param input the number to constrain, all data types | ||||
| 	 * @param min the lower end of the range, all data types | ||||
| 	 * @param max the upper end of the range, all data types | ||||
| 	 * @return input: if input is between min and max, min: if input is less than min, max: if input is greater than max | ||||
| 	 */ | ||||
| 	public static long constrain(long input, long min, long max) | ||||
| 	{ | ||||
| 		return (input < min) ? min : (input > max) ? max : input; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Constrains a number to be within a range. | ||||
| 	 * @param input the number to constrain, all data types | ||||
| 	 * @param min the lower end of the range, all data types | ||||
| 	 * @param max the upper end of the range, all data types | ||||
| 	 * @return input: if input is between min and max, min: if input is less than min, max: if input is greater than max | ||||
| 	 */ | ||||
| 	public static double constrain(double input, double min, double max) | ||||
| 	{ | ||||
| 		return (input < min) ? min : (input > max) ? max : input; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param array - the array to look into | ||||
| 	 * @param obj - the object to search for | ||||
| 	 * @return {@code true} if the {@code array} contains the {@code obj}, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	public static boolean startsWith(String[] array, String obj) | ||||
| 	{ | ||||
| 		for (String element : array) | ||||
| 		{ | ||||
| 			if (element.startsWith(obj)) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param <T> | ||||
| 	 * @param array - the array to look into | ||||
| 	 * @param obj - the object to search for | ||||
| 	 * @return {@code true} if the {@code array} contains the {@code obj}, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	public static <T> boolean contains(T[] array, T obj) | ||||
| 	{ | ||||
| 		for (T element : array) | ||||
| 		{ | ||||
| 			if (element == obj) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param array - the array to look into | ||||
| 	 * @param obj - the integer to search for | ||||
| 	 * @return {@code true} if the {@code array} contains the {@code obj}, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public static boolean contains(int[] array, int obj) | ||||
| 	{ | ||||
| 		for (int element : array) | ||||
| 		{ | ||||
| 			if (element == obj) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param array - the array to look into | ||||
| 	 * @param obj - the object to search for | ||||
| 	 * @param ignoreCase | ||||
| 	 * @return {@code true} if the {@code array} contains the {@code obj}, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	public static boolean contains(String[] array, String obj, boolean ignoreCase) | ||||
| 	{ | ||||
| 		for (String element : array) | ||||
| 		{ | ||||
| 			if (element.equals(obj) || (ignoreCase && element.equalsIgnoreCase(obj))) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	public static int parseNextInt(StringTokenizer st, int defaultVal) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			final String value = st.nextToken().trim(); | ||||
| 			return Integer.parseInt(value); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			return defaultVal; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param str - the string whose first letter to capitalize | ||||
| 	 * @return a string with the first letter of the {@code str} capitalized | ||||
| 	 */ | ||||
| 	public static String capitalizeFirst(String str) | ||||
| 	{ | ||||
| 		if ((str == null) || str.isEmpty()) | ||||
| 		{ | ||||
| 			return str; | ||||
| 		} | ||||
| 		final char[] arr = str.toCharArray(); | ||||
| 		final char c = arr[0]; | ||||
| 		 | ||||
| 		if (Character.isLetter(c)) | ||||
| 		{ | ||||
| 			arr[0] = Character.toUpperCase(c); | ||||
| 		} | ||||
| 		return new String(arr); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Based on implode() in PHP | ||||
| 	 * @param <T> | ||||
| 	 * @param iteratable | ||||
| 	 * @param delim | ||||
| 	 * @return a delimited string for a given array of string elements. | ||||
| 	 */ | ||||
| 	public static <T> String implode(Iterable<T> iteratable, String delim) | ||||
| 	{ | ||||
| 		final StringJoiner sj = new StringJoiner(delim); | ||||
| 		iteratable.forEach(o -> sj.add(o.toString())); | ||||
| 		return sj.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Based on implode() in PHP | ||||
| 	 * @param <T> | ||||
| 	 * @param array | ||||
| 	 * @param delim | ||||
| 	 * @return a delimited string for a given array of string elements. | ||||
| 	 */ | ||||
| 	public static <T> String implode(T[] array, String delim) | ||||
| 	{ | ||||
| 		final StringJoiner sj = new StringJoiner(delim); | ||||
| 		for (T o : array) | ||||
| 		{ | ||||
| 			sj.add(o.toString()); | ||||
| 		} | ||||
| 		return sj.toString(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,121 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.lang.management.LockInfo; | ||||
| import java.lang.management.ManagementFactory; | ||||
| import java.lang.management.MonitorInfo; | ||||
| import java.lang.management.ThreadInfo; | ||||
| import java.lang.management.ThreadMXBean; | ||||
| import java.time.Duration; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
|  | ||||
| /** | ||||
|  * Thread to check for deadlocked threads. | ||||
|  * @author -Nemesiss- L2M | ||||
|  */ | ||||
| public class DeadLockDetector extends Thread | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(DeadLockDetector.class.getName()); | ||||
| 	 | ||||
| 	private final Duration _checkInterval; | ||||
| 	private final Runnable _deadLockCallback; | ||||
| 	private final ThreadMXBean tmx; | ||||
| 	 | ||||
| 	public DeadLockDetector(Duration checkInterval, Runnable deadLockCallback) | ||||
| 	{ | ||||
| 		super("DeadLockDetector"); | ||||
| 		_checkInterval = checkInterval; | ||||
| 		_deadLockCallback = deadLockCallback; | ||||
| 		tmx = ManagementFactory.getThreadMXBean(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public final void run() | ||||
| 	{ | ||||
| 		boolean deadlock = false; | ||||
| 		while (!deadlock) | ||||
| 		{ | ||||
| 			try | ||||
| 			{ | ||||
| 				final long[] ids = tmx.findDeadlockedThreads(); | ||||
| 				 | ||||
| 				if (ids != null) | ||||
| 				{ | ||||
| 					deadlock = true; | ||||
| 					final ThreadInfo[] tis = tmx.getThreadInfo(ids, true, true); | ||||
| 					final StringBuilder info = new StringBuilder(); | ||||
| 					info.append("DeadLock Found!"); | ||||
| 					info.append(Config.EOL); | ||||
| 					for (ThreadInfo ti : tis) | ||||
| 					{ | ||||
| 						info.append(ti.toString()); | ||||
| 					} | ||||
| 					 | ||||
| 					for (ThreadInfo ti : tis) | ||||
| 					{ | ||||
| 						final LockInfo[] locks = ti.getLockedSynchronizers(); | ||||
| 						final MonitorInfo[] monitors = ti.getLockedMonitors(); | ||||
| 						if ((locks.length == 0) && (monitors.length == 0)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						 | ||||
| 						ThreadInfo dl = ti; | ||||
| 						info.append("Java-level deadlock:"); | ||||
| 						info.append(Config.EOL); | ||||
| 						info.append('\t'); | ||||
| 						info.append(dl.getThreadName()); | ||||
| 						info.append(" is waiting to lock "); | ||||
| 						info.append(dl.getLockInfo().toString()); | ||||
| 						info.append(" which is held by "); | ||||
| 						info.append(dl.getLockOwnerName()); | ||||
| 						info.append(Config.EOL); | ||||
| 						while ((dl = tmx.getThreadInfo(new long[] | ||||
| 						{ | ||||
| 							dl.getLockOwnerId() | ||||
| 						}, true, true)[0]).getThreadId() != ti.getThreadId()) | ||||
| 						{ | ||||
| 							info.append('\t'); | ||||
| 							info.append(dl.getThreadName()); | ||||
| 							info.append(" is waiting to lock "); | ||||
| 							info.append(dl.getLockInfo().toString()); | ||||
| 							info.append(" which is held by "); | ||||
| 							info.append(dl.getLockOwnerName()); | ||||
| 							info.append(Config.EOL); | ||||
| 						} | ||||
| 					} | ||||
| 					 | ||||
| 					LOGGER.warning(info.toString()); | ||||
| 					 | ||||
| 					if (_deadLockCallback != null) | ||||
| 					{ | ||||
| 						_deadLockCallback.run(); | ||||
| 					} | ||||
| 				} | ||||
| 				Thread.sleep(_checkInterval.toMillis()); | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, "", e); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,145 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.util.Collection; | ||||
| import java.util.Collections; | ||||
| import java.util.Iterator; | ||||
| import java.util.Queue; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  * @param <E> | ||||
|  */ | ||||
| public final class EmptyQueue<E> implements Queue<E> | ||||
| { | ||||
| 	private static final Queue<Object> EMPTY_QUEUE = new EmptyQueue<>(); | ||||
| 	 | ||||
| 	@SuppressWarnings("unchecked") | ||||
| 	public static <E> Queue<E> emptyQueue() | ||||
| 	{ | ||||
| 		return (Queue<E>) EMPTY_QUEUE; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public int size() | ||||
| 	{ | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean isEmpty() | ||||
| 	{ | ||||
| 		return true; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean contains(Object o) | ||||
| 	{ | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public Iterator<E> iterator() | ||||
| 	{ | ||||
| 		return Collections.<E> emptyIterator(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public Object[] toArray() | ||||
| 	{ | ||||
| 		return new Object[0]; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public <T> T[] toArray(T[] a) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean remove(Object o) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean containsAll(Collection<?> c) | ||||
| 	{ | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean addAll(Collection<? extends E> c) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean removeAll(Collection<?> c) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean retainAll(Collection<?> c) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void clear() | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean add(E e) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean offer(E e) | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public E remove() | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public E poll() | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public E element() | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public E peek() | ||||
| 	{ | ||||
| 		throw new UnsupportedOperationException(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,260 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.util.Arrays; | ||||
|  | ||||
| /** | ||||
|  * @author HorridoJoho | ||||
|  */ | ||||
| public class HexUtils | ||||
| { | ||||
| 	// lookup table for hex characters | ||||
| 	private static final char[] _NIBBLE_CHAR_LOOKUP = | ||||
| 	{ | ||||
| 		'0', | ||||
| 		'1', | ||||
| 		'2', | ||||
| 		'3', | ||||
| 		'4', | ||||
| 		'5', | ||||
| 		'6', | ||||
| 		'7', | ||||
| 		'8', | ||||
| 		'9', | ||||
| 		'A', | ||||
| 		'B', | ||||
| 		'C', | ||||
| 		'D', | ||||
| 		'E', | ||||
| 		'F' | ||||
| 	}; | ||||
| 	private static final char[] _NEW_LINE_CHARS = System.getProperty("line.separator").toCharArray(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of a byte<br> | ||||
| 	 * This call is equivalent to {@link HexUtils#b2HexChars(byte, char[], int)} with parameters (data, null, 0) | ||||
| 	 * @param data byte to generate the hexadecimal character presentation from | ||||
| 	 * @return a new char array with exactly 2 elements | ||||
| 	 */ | ||||
| 	public static char[] b2HexChars(byte data) | ||||
| 	{ | ||||
| 		return b2HexChars(data, null, 0); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of a byte | ||||
| 	 * @param data byte to generate the hexadecimal character presentation from | ||||
| 	 * @param dstHexChars the char array the hexadecimal character presentation should be copied to, if this is null, dstOffset is ignored and a new char array with 2 elements is created | ||||
| 	 * @param dstOffset offset at which the hexadecimal character presentation is copied to dstHexChars | ||||
| 	 * @return the char array the hexadecimal character presentation was copied to | ||||
| 	 */ | ||||
| 	public static char[] b2HexChars(byte data, char[] dstHexChars, int dstOffset) | ||||
| 	{ | ||||
| 		if (dstHexChars == null) | ||||
| 		{ | ||||
| 			dstHexChars = new char[2]; | ||||
| 			dstOffset = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		// ///////////////////////////// | ||||
| 		// NIBBLE LOOKUP | ||||
| 		dstHexChars[dstOffset] = _NIBBLE_CHAR_LOOKUP[(data & 0xF0) >> 4]; | ||||
| 		dstHexChars[dstOffset + 1] = _NIBBLE_CHAR_LOOKUP[data & 0x0F]; | ||||
| 		 | ||||
| 		return dstHexChars; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of an integer This call is equivalent to {@link HexUtils#int2HexChars(int, char[], int)} with parameters (data, null, 0) | ||||
| 	 * @param data integer to generate the hexadecimal character presentation from | ||||
| 	 * @return new char array with 8 elements | ||||
| 	 */ | ||||
| 	public static char[] int2HexChars(int data) | ||||
| 	{ | ||||
| 		return int2HexChars(data, new char[8], 0); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of an integer | ||||
| 	 * @param data integer to generate the hexadecimal character presentation from | ||||
| 	 * @param dstHexChars the char array the hexadecimal character presentation should be copied to, if this is null, dstOffset is ignored and a new char array with 8 elements is created | ||||
| 	 * @param dstOffset offset at which the hexadecimal character presentation is copied to dstHexChars | ||||
| 	 * @return the char array the hexadecimal character presentation was copied to | ||||
| 	 */ | ||||
| 	public static char[] int2HexChars(int data, char[] dstHexChars, int dstOffset) | ||||
| 	{ | ||||
| 		if (dstHexChars == null) | ||||
| 		{ | ||||
| 			dstHexChars = new char[8]; | ||||
| 			dstOffset = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		b2HexChars((byte) ((data & 0xFF000000) >> 24), dstHexChars, dstOffset); | ||||
| 		b2HexChars((byte) ((data & 0x00FF0000) >> 16), dstHexChars, dstOffset + 2); | ||||
| 		b2HexChars((byte) ((data & 0x0000FF00) >> 8), dstHexChars, dstOffset + 4); | ||||
| 		b2HexChars((byte) (data & 0x000000FF), dstHexChars, dstOffset + 6); | ||||
| 		return dstHexChars; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of a byte array<br> | ||||
| 	 * This call is equivalent to {@link HexUtils#bArr2HexChars(byte[], int, int, char[], int)} with parameters (data, offset, len, null, 0) | ||||
| 	 * @param data byte array to generate the hexadecimal character presentation from | ||||
| 	 * @param offset offset where to start in data array | ||||
| 	 * @param len number of bytes to generate the hexadecimal character presentation from | ||||
| 	 * @return a new char array with len*2 elements | ||||
| 	 */ | ||||
| 	public static char[] bArr2HexChars(byte[] data, int offset, int len) | ||||
| 	{ | ||||
| 		return bArr2HexChars(data, offset, len, null, 0); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character presentation of a byte array | ||||
| 	 * @param data byte array to generate the hexadecimal character presentation from | ||||
| 	 * @param offset offset where to start in data array | ||||
| 	 * @param len number of bytes to generate the hexadecimal character presentation from | ||||
| 	 * @param dstHexChars the char array the hexadecimal character presentation should be copied to, if this is null, dstOffset is ignored and a new char array with len*2 elements is created | ||||
| 	 * @param dstOffset offset at which the hexadecimal character presentation is copied to dstHexChars | ||||
| 	 * @return the char array the hexadecimal character presentation was copied to | ||||
| 	 */ | ||||
| 	public static char[] bArr2HexChars(byte[] data, int offset, int len, char[] dstHexChars, int dstOffset) | ||||
| 	{ | ||||
| 		if (dstHexChars == null) | ||||
| 		{ | ||||
| 			dstHexChars = new char[len * 2]; | ||||
| 			dstOffset = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		for (int dataIdx = offset, charsIdx = dstOffset; dataIdx < (len + offset); ++dataIdx, ++charsIdx) | ||||
| 		{ | ||||
| 			// ///////////////////////////// | ||||
| 			// NIBBLE LOOKUP, we duplicate the code from b2HexChars here, we want to save a few cycles(for charsIdx increment) | ||||
| 			dstHexChars[charsIdx] = _NIBBLE_CHAR_LOOKUP[(data[dataIdx] & 0xF0) >> 4]; | ||||
| 			dstHexChars[++charsIdx] = _NIBBLE_CHAR_LOOKUP[data[dataIdx] & 0x0F]; | ||||
| 		} | ||||
| 		 | ||||
| 		return dstHexChars; | ||||
| 	} | ||||
| 	 | ||||
| 	public static char[] bArr2AsciiChars(byte[] data, int offset, int len) | ||||
| 	{ | ||||
| 		return bArr2AsciiChars(data, offset, len, new char[len], 0); | ||||
| 	} | ||||
| 	 | ||||
| 	public static char[] bArr2AsciiChars(byte[] data, int offset, int len, char[] dstAsciiChars, int dstOffset) | ||||
| 	{ | ||||
| 		if (dstAsciiChars == null) | ||||
| 		{ | ||||
| 			dstAsciiChars = new char[len]; | ||||
| 			dstOffset = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		for (int dataIdx = offset, charsIdx = dstOffset; dataIdx < (len + offset); ++dataIdx, ++charsIdx) | ||||
| 		{ | ||||
| 			if ((data[dataIdx] > 0x1f) && (data[dataIdx] < 0x80)) | ||||
| 			{ | ||||
| 				dstAsciiChars[charsIdx] = (char) data[dataIdx]; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				dstAsciiChars[charsIdx] = '.'; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		return dstAsciiChars; | ||||
| 	} | ||||
| 	 | ||||
| 	private static final int _HEX_ED_BPL = 16; | ||||
| 	private static final int _HEX_ED_CPB = 2; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to generate the hexadecimal character representation of a byte array like in a hex editor<br> | ||||
| 	 * Line Format: {OFFSET} {HEXADECIMAL} {ASCII}({NEWLINE})<br> | ||||
| 	 * {OFFSET} = offset of the first byte in line(8 chars)<br> | ||||
| 	 * {HEXADECIMAL} = hexadecimal character representation({@link #_HEX_ED_BPL}*2 chars)<br> | ||||
| 	 * {ASCII} = ascii character presentation({@link #_HEX_ED_BPL} chars) | ||||
| 	 * @param data byte array to generate the hexadecimal character representation | ||||
| 	 * @param len the number of bytes to generate the hexadecimal character representation from | ||||
| 	 * @return byte array which contains the hexadecimal character representation of the given byte array | ||||
| 	 */ | ||||
| 	public static char[] bArr2HexEdChars(byte[] data, int len) | ||||
| 	{ | ||||
| 		// {OFFSET} {HEXADECIMAL} {ASCII}{NEWLINE} | ||||
| 		final int lineLength = 9 + (_HEX_ED_BPL * _HEX_ED_CPB) + 1 + _HEX_ED_BPL + _NEW_LINE_CHARS.length; | ||||
| 		final int lenBplMod = len % _HEX_ED_BPL; | ||||
| 		// create text buffer | ||||
| 		// 1. don't allocate a full last line if not _HEX_ED_BPL bytes are shown in last line | ||||
| 		// 2. no new line at end of buffer | ||||
| 		// BUG: when the length is multiple of _HEX_ED_BPL we erase the whole ascii space with this | ||||
| 		// char[] textData = new char[lineLength * numLines - (_HEX_ED_BPL - (len % _HEX_ED_BPL)) - _NEW_LINE_CHARS.length]; | ||||
| 		// FIXED HERE | ||||
| 		int numLines; | ||||
| 		char[] textData; | ||||
| 		if (lenBplMod == 0) | ||||
| 		{ | ||||
| 			numLines = len / _HEX_ED_BPL; | ||||
| 			textData = new char[(lineLength * numLines) - _NEW_LINE_CHARS.length]; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			numLines = (len / _HEX_ED_BPL) + 1; | ||||
| 			textData = new char[(lineLength * numLines) - (_HEX_ED_BPL - (lenBplMod)) - _NEW_LINE_CHARS.length]; | ||||
| 		} | ||||
| 		 | ||||
| 		// performance penalty, only doing space filling in the loop is faster | ||||
| 		// Arrays.fill(textData, ' '); | ||||
| 		 | ||||
| 		int dataOffset; | ||||
| 		int dataLen; | ||||
| 		int lineStart; | ||||
| 		int lineHexDataStart; | ||||
| 		int lineAsciiDataStart; | ||||
| 		for (int i = 0; i < numLines; ++i) | ||||
| 		{ | ||||
| 			dataOffset = i * _HEX_ED_BPL; | ||||
| 			dataLen = Math.min(len - dataOffset, _HEX_ED_BPL); | ||||
| 			lineStart = i * lineLength; | ||||
| 			lineHexDataStart = lineStart + 9; | ||||
| 			lineAsciiDataStart = lineHexDataStart + (_HEX_ED_BPL * _HEX_ED_CPB) + 1; | ||||
| 			 | ||||
| 			int2HexChars(dataOffset, textData, lineStart); // the offset of this line | ||||
| 			textData[lineHexDataStart - 1] = ' '; // separate | ||||
| 			bArr2HexChars(data, dataOffset, dataLen, textData, lineHexDataStart); // the data in hex | ||||
| 			bArr2AsciiChars(data, dataOffset, dataLen, textData, lineAsciiDataStart); // the data in ascii | ||||
| 			 | ||||
| 			if (i < (numLines - 1)) | ||||
| 			{ | ||||
| 				textData[lineAsciiDataStart - 1] = ' '; // separate | ||||
| 				System.arraycopy(_NEW_LINE_CHARS, 0, textData, lineAsciiDataStart + _HEX_ED_BPL, _NEW_LINE_CHARS.length); // the new line | ||||
| 			} | ||||
| 			else if (dataLen < _HEX_ED_BPL) | ||||
| 			{ | ||||
| 				// last line which shows less than _HEX_ED_BPL bytes | ||||
| 				final int lineHexDataEnd = lineHexDataStart + (dataLen * _HEX_ED_CPB); | ||||
| 				Arrays.fill(textData, lineHexDataEnd, lineHexDataEnd + ((_HEX_ED_BPL - dataLen) * _HEX_ED_CPB) + 1, ' '); // spaces, for the last line if there are not _HEX_ED_BPL bytes | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// last line which shows _HEX_ED_BPL bytes | ||||
| 				textData[lineAsciiDataStart - 1] = ' '; // separate | ||||
| 			} | ||||
| 		} | ||||
| 		return textData; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,118 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
|  | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.holders.MinionHolder; | ||||
| import com.l2jmobius.gameserver.model.holders.SkillHolder; | ||||
|  | ||||
| /** | ||||
|  * Interface for XML parsers. | ||||
|  * @author Zoey76 | ||||
|  */ | ||||
| public interface IGameXmlReader extends IXmlReader | ||||
| { | ||||
| 	/** | ||||
| 	 * Wrapper for {@link #parseFile(File)} method. | ||||
| 	 * @param path the relative path to the datapack root of the XML file to parse. | ||||
| 	 */ | ||||
| 	default void parseDatapackFile(String path) | ||||
| 	{ | ||||
| 		parseFile(new File(Config.DATAPACK_ROOT, path)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Wrapper for {@link #parseDirectory(File, boolean)}. | ||||
| 	 * @param path the path to the directory where the XML files are | ||||
| 	 * @param recursive parses all sub folders if there is | ||||
| 	 * @return {@code false} if it fails to find the directory, {@code true} otherwise | ||||
| 	 */ | ||||
| 	default boolean parseDatapackDirectory(String path, boolean recursive) | ||||
| 	{ | ||||
| 		return parseDirectory(new File(Config.DATAPACK_ROOT, path), recursive); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param n | ||||
| 	 * @return a map of parameters | ||||
| 	 */ | ||||
| 	default Map<String, Object> parseParameters(Node n) | ||||
| 	{ | ||||
| 		final Map<String, Object> parameters = new HashMap<>(); | ||||
| 		for (Node parameters_node = n.getFirstChild(); parameters_node != null; parameters_node = parameters_node.getNextSibling()) | ||||
| 		{ | ||||
| 			NamedNodeMap attrs = parameters_node.getAttributes(); | ||||
| 			switch (parameters_node.getNodeName().toLowerCase()) | ||||
| 			{ | ||||
| 				case "param": | ||||
| 				{ | ||||
| 					parameters.put(parseString(attrs, "name"), parseString(attrs, "value")); | ||||
| 					break; | ||||
| 				} | ||||
| 				case "skill": | ||||
| 				{ | ||||
| 					parameters.put(parseString(attrs, "name"), new SkillHolder(parseInteger(attrs, "id"), parseInteger(attrs, "level"))); | ||||
| 					break; | ||||
| 				} | ||||
| 				case "location": | ||||
| 				{ | ||||
| 					parameters.put(parseString(attrs, "name"), new Location(parseInteger(attrs, "x"), parseInteger(attrs, "y"), parseInteger(attrs, "z"), parseInteger(attrs, "heading", 0))); | ||||
| 					break; | ||||
| 				} | ||||
| 				case "minions": | ||||
| 				{ | ||||
| 					final List<MinionHolder> minions = new ArrayList<>(1); | ||||
| 					for (Node minions_node = parameters_node.getFirstChild(); minions_node != null; minions_node = minions_node.getNextSibling()) | ||||
| 					{ | ||||
| 						if (minions_node.getNodeName().equalsIgnoreCase("npc")) | ||||
| 						{ | ||||
| 							attrs = minions_node.getAttributes(); | ||||
| 							minions.add(new MinionHolder(parseInteger(attrs, "id"), parseInteger(attrs, "count"), parseInteger(attrs, "respawnTime"), parseInteger(attrs, "weightPoint"))); | ||||
| 						} | ||||
| 					} | ||||
| 					 | ||||
| 					if (!minions.isEmpty()) | ||||
| 					{ | ||||
| 						parameters.put(parseString(parameters_node.getAttributes(), "name"), minions); | ||||
| 					} | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		return parameters; | ||||
| 	} | ||||
| 	 | ||||
| 	default Location parseLocation(Node n) | ||||
| 	{ | ||||
| 		final NamedNodeMap attrs = n.getAttributes(); | ||||
| 		final int x = parseInteger(attrs, "x"); | ||||
| 		final int y = parseInteger(attrs, "y"); | ||||
| 		final int z = parseInteger(attrs, "z"); | ||||
| 		final int heading = parseInteger(attrs, "heading", 0); | ||||
| 		return new Location(x, y, z, heading); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,167 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.net.InetAddress; | ||||
| import java.net.UnknownHostException; | ||||
|  | ||||
| public class IPSubnet | ||||
| { | ||||
| 	final byte[] _addr; | ||||
| 	final byte[] _mask; | ||||
| 	final boolean _isIPv4; | ||||
| 	 | ||||
| 	public IPSubnet(String input) throws UnknownHostException, NumberFormatException, ArrayIndexOutOfBoundsException | ||||
| 	{ | ||||
| 		final int idx = input.indexOf("/"); | ||||
| 		if (idx > 0) | ||||
| 		{ | ||||
| 			_addr = InetAddress.getByName(input.substring(0, idx)).getAddress(); | ||||
| 			_mask = getMask(Integer.parseInt(input.substring(idx + 1)), _addr.length); | ||||
| 			_isIPv4 = _addr.length == 4; | ||||
| 			 | ||||
| 			if (!applyMask(_addr)) | ||||
| 			{ | ||||
| 				throw new UnknownHostException(input); | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_addr = InetAddress.getByName(input).getAddress(); | ||||
| 			_mask = getMask(_addr.length * 8, _addr.length); // host, no need to check mask | ||||
| 			_isIPv4 = _addr.length == 4; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public IPSubnet(InetAddress addr, int mask) throws UnknownHostException | ||||
| 	{ | ||||
| 		_addr = addr.getAddress(); | ||||
| 		_isIPv4 = _addr.length == 4; | ||||
| 		_mask = getMask(mask, _addr.length); | ||||
| 		if (!applyMask(_addr)) | ||||
| 		{ | ||||
| 			throw new UnknownHostException(addr + "/" + mask); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public byte[] getAddress() | ||||
| 	{ | ||||
| 		return _addr; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean applyMask(byte[] addr) | ||||
| 	{ | ||||
| 		// V4 vs V4 or V6 vs V6 checks | ||||
| 		if (_isIPv4 == (addr.length == 4)) | ||||
| 		{ | ||||
| 			for (int i = 0; i < _addr.length; i++) | ||||
| 			{ | ||||
| 				if ((addr[i] & _mask[i]) != _addr[i]) | ||||
| 				{ | ||||
| 					return false; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// check for embedded v4 in v6 addr (not done !) | ||||
| 			if (_isIPv4) | ||||
| 			{ | ||||
| 				// my V4 vs V6 | ||||
| 				for (int i = 0; i < _addr.length; i++) | ||||
| 				{ | ||||
| 					if ((addr[i + 12] & _mask[i]) != _addr[i]) | ||||
| 					{ | ||||
| 						return false; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// my V6 vs V4 | ||||
| 				for (int i = 0; i < _addr.length; i++) | ||||
| 				{ | ||||
| 					if ((addr[i] & _mask[i + 12]) != _addr[i + 12]) | ||||
| 					{ | ||||
| 						return false; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		return true; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public String toString() | ||||
| 	{ | ||||
| 		int size = 0; | ||||
| 		for (byte element : _mask) | ||||
| 		{ | ||||
| 			size += Integer.bitCount((element & 0xFF)); | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return InetAddress.getByAddress(_addr) + "/" + size; | ||||
| 		} | ||||
| 		catch (UnknownHostException e) | ||||
| 		{ | ||||
| 			return "Invalid"; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean equals(Object o) | ||||
| 	{ | ||||
| 		if (this == o) | ||||
| 		{ | ||||
| 			return true; | ||||
| 		} | ||||
| 		if (o instanceof IPSubnet) | ||||
| 		{ | ||||
| 			return applyMask(((IPSubnet) o).getAddress()); | ||||
| 		} | ||||
| 		else if (o instanceof InetAddress) | ||||
| 		{ | ||||
| 			return applyMask(((InetAddress) o).getAddress()); | ||||
| 		} | ||||
| 		 | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	private static byte[] getMask(int n, int maxLength) throws UnknownHostException | ||||
| 	{ | ||||
| 		if ((n > (maxLength << 3)) || (n < 0)) | ||||
| 		{ | ||||
| 			throw new UnknownHostException("Invalid netmask: " + n); | ||||
| 		} | ||||
| 		 | ||||
| 		final byte[] result = new byte[maxLength]; | ||||
| 		for (int i = 0; i < maxLength; i++) | ||||
| 		{ | ||||
| 			result[i] = (byte) 0xFF; | ||||
| 		} | ||||
| 		 | ||||
| 		for (int i = (maxLength << 3) - 1; i >= n; i--) | ||||
| 		{ | ||||
| 			result[i >> 3] = (byte) (result[i >> 3] << 1); | ||||
| 		} | ||||
| 		 | ||||
| 		return result; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,706 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.FileFilter; | ||||
| import java.util.LinkedHashMap; | ||||
| import java.util.Map; | ||||
| import java.util.function.Consumer; | ||||
| import java.util.function.Predicate; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import javax.xml.parsers.DocumentBuilder; | ||||
| import javax.xml.parsers.DocumentBuilderFactory; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
| import org.w3c.dom.NodeList; | ||||
| import org.xml.sax.ErrorHandler; | ||||
| import org.xml.sax.SAXParseException; | ||||
|  | ||||
| import com.l2jmobius.commons.util.file.filter.XMLFilter; | ||||
|  | ||||
| /** | ||||
|  * Interface for XML parsers. | ||||
|  * @author Zoey76 | ||||
|  */ | ||||
| public interface IXmlReader | ||||
| { | ||||
| 	Logger LOGGER = Logger.getLogger(IXmlReader.class.getName()); | ||||
| 	 | ||||
| 	String JAXP_SCHEMA_LANGUAGE = "http://java.sun.com/xml/jaxp/properties/schemaLanguage"; | ||||
| 	String W3C_XML_SCHEMA = "http://www.w3.org/2001/XMLSchema"; | ||||
| 	/** The default file filter, ".xml" files only. */ | ||||
| 	XMLFilter XML_FILTER = new XMLFilter(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This method can be used to load/reload the data.<br> | ||||
| 	 * It's highly recommended to clear the data storage, either the list or map. | ||||
| 	 */ | ||||
| 	void load(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a single XML file.<br> | ||||
| 	 * If the file was successfully parsed, call {@link #parseDocument(Document, File)} for the parsed document.<br> | ||||
| 	 * <b>Validation is enforced.</b> | ||||
| 	 * @param f the XML file to parse. | ||||
| 	 */ | ||||
| 	default void parseFile(File f) | ||||
| 	{ | ||||
| 		if (!getCurrentFileFilter().accept(f)) | ||||
| 		{ | ||||
| 			LOGGER.warning("Could not parse " + f.getName() + " is not a file or it doesn't exist!"); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance(); | ||||
| 		dbf.setNamespaceAware(true); | ||||
| 		dbf.setValidating(isValidating()); | ||||
| 		dbf.setIgnoringComments(isIgnoringComments()); | ||||
| 		try | ||||
| 		{ | ||||
| 			dbf.setAttribute(JAXP_SCHEMA_LANGUAGE, W3C_XML_SCHEMA); | ||||
| 			final DocumentBuilder db = dbf.newDocumentBuilder(); | ||||
| 			db.setErrorHandler(new XMLErrorHandler()); | ||||
| 			parseDocument(db.parse(f), f); | ||||
| 		} | ||||
| 		catch (SAXParseException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Could not parse file: " + f.getName() + " at line: " + e.getLineNumber() + ", column: " + e.getColumnNumber() + " :", e); | ||||
| 			return; | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Could not parse file: " + f.getName(), e); | ||||
| 			return; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks if XML validation is enabled. | ||||
| 	 * @return {@code true} if its enabled, {@code false} otherwise | ||||
| 	 */ | ||||
| 	default boolean isValidating() | ||||
| 	{ | ||||
| 		return true; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks if XML comments are ignored. | ||||
| 	 * @return {@code true} if its comments are ignored, {@code false} otherwise | ||||
| 	 */ | ||||
| 	default boolean isIgnoringComments() | ||||
| 	{ | ||||
| 		return true; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Wrapper for {@link #parseDirectory(File, boolean)}. | ||||
| 	 * @param file the path to the directory where the XML files are. | ||||
| 	 * @return {@code false} if it fails to find the directory, {@code true} otherwise. | ||||
| 	 */ | ||||
| 	default boolean parseDirectory(File file) | ||||
| 	{ | ||||
| 		return parseDirectory(file, false); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Loads all XML files from {@code path} and calls {@link #parseFile(File)} for each one of them. | ||||
| 	 * @param dir the directory object to scan. | ||||
| 	 * @param recursive parses all sub folders if there is. | ||||
| 	 * @return {@code false} if it fails to find the directory, {@code true} otherwise. | ||||
| 	 */ | ||||
| 	default boolean parseDirectory(File dir, boolean recursive) | ||||
| 	{ | ||||
| 		if (!dir.exists()) | ||||
| 		{ | ||||
| 			LOGGER.warning("Folder " + dir.getAbsolutePath() + " doesn't exist!"); | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		final File[] listOfFiles = dir.listFiles(); | ||||
| 		for (File f : listOfFiles) | ||||
| 		{ | ||||
| 			if (recursive && f.isDirectory()) | ||||
| 			{ | ||||
| 				parseDirectory(f, recursive); | ||||
| 			} | ||||
| 			else if (getCurrentFileFilter().accept(f)) | ||||
| 			{ | ||||
| 				parseFile(f); | ||||
| 			} | ||||
| 		} | ||||
| 		return true; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Abstract method that when implemented will parse the current document.<br> | ||||
| 	 * Is expected to be call from {@link #parseFile(File)}. | ||||
| 	 * @param doc the current document to parse | ||||
| 	 * @param f the current file | ||||
| 	 */ | ||||
| 	void parseDocument(Document doc, File f); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a boolean value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Boolean parseBoolean(Node node, Boolean defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Boolean.valueOf(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a boolean value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Boolean parseBoolean(Node node) | ||||
| 	{ | ||||
| 		return parseBoolean(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a boolean value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Boolean parseBoolean(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseBoolean(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a boolean value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Boolean parseBoolean(NamedNodeMap attrs, String name, Boolean defaultValue) | ||||
| 	{ | ||||
| 		return parseBoolean(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a byte value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Byte parseByte(Node node, Byte defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Byte.decode(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a byte value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Byte parseByte(Node node) | ||||
| 	{ | ||||
| 		return parseByte(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a byte value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Byte parseByte(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseByte(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a byte value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Byte parseByte(NamedNodeMap attrs, String name, Byte defaultValue) | ||||
| 	{ | ||||
| 		return parseByte(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a short value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Short parseShort(Node node, Short defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Short.decode(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a short value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Short parseShort(Node node) | ||||
| 	{ | ||||
| 		return parseShort(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a short value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Short parseShort(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseShort(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a short value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Short parseShort(NamedNodeMap attrs, String name, Short defaultValue) | ||||
| 	{ | ||||
| 		return parseShort(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an int value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default int parseInt(Node node, Integer defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Integer.decode(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an int value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default int parseInt(Node node) | ||||
| 	{ | ||||
| 		return parseInt(node, -1); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an integer value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Integer parseInteger(Node node, Integer defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Integer.decode(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an integer value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Integer parseInteger(Node node) | ||||
| 	{ | ||||
| 		return parseInteger(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an integer value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Integer parseInteger(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseInteger(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an integer value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Integer parseInteger(NamedNodeMap attrs, String name, Integer defaultValue) | ||||
| 	{ | ||||
| 		return parseInteger(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a long value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Long parseLong(Node node, Long defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Long.decode(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a long value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Long parseLong(Node node) | ||||
| 	{ | ||||
| 		return parseLong(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a long value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Long parseLong(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseLong(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a long value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Long parseLong(NamedNodeMap attrs, String name, Long defaultValue) | ||||
| 	{ | ||||
| 		return parseLong(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a float value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Float parseFloat(Node node, Float defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Float.valueOf(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a float value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Float parseFloat(Node node) | ||||
| 	{ | ||||
| 		return parseFloat(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a float value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Float parseFloat(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseFloat(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a float value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Float parseFloat(NamedNodeMap attrs, String name, Float defaultValue) | ||||
| 	{ | ||||
| 		return parseFloat(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a double value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Double parseDouble(Node node, Double defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? Double.valueOf(node.getNodeValue()) : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a double value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Double parseDouble(Node node) | ||||
| 	{ | ||||
| 		return parseDouble(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a double value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default Double parseDouble(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseDouble(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a double value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default Double parseDouble(NamedNodeMap attrs, String name, Double defaultValue) | ||||
| 	{ | ||||
| 		return parseDouble(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a string value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default String parseString(Node node, String defaultValue) | ||||
| 	{ | ||||
| 		return node != null ? node.getNodeValue() : defaultValue; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a string value. | ||||
| 	 * @param node the node to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default String parseString(Node node) | ||||
| 	{ | ||||
| 		return parseString(node, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a string value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise null | ||||
| 	 */ | ||||
| 	default String parseString(NamedNodeMap attrs, String name) | ||||
| 	{ | ||||
| 		return parseString(attrs.getNamedItem(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses a string value. | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null, the value of the parsed node, otherwise the default value | ||||
| 	 */ | ||||
| 	default String parseString(NamedNodeMap attrs, String name, String defaultValue) | ||||
| 	{ | ||||
| 		return parseString(attrs.getNamedItem(name), defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an enumerated value. | ||||
| 	 * @param <T> the enumerated type | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param clazz the class of the enumerated | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null and the node value is valid the parsed value, otherwise the default value | ||||
| 	 */ | ||||
| 	default <T extends Enum<T>> T parseEnum(Node node, Class<T> clazz, T defaultValue) | ||||
| 	{ | ||||
| 		if (node == null) | ||||
| 		{ | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Enum.valueOf(clazz, node.getNodeValue()); | ||||
| 		} | ||||
| 		catch (IllegalArgumentException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("Invalid value specified for node: " + node.getNodeName() + " specified value: " + node.getNodeValue() + " should be enum value of \"" + clazz.getSimpleName() + "\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an enumerated value. | ||||
| 	 * @param <T> the enumerated type | ||||
| 	 * @param node the node to parse | ||||
| 	 * @param clazz the class of the enumerated | ||||
| 	 * @return if the node is not null and the node value is valid the parsed value, otherwise null | ||||
| 	 */ | ||||
| 	default <T extends Enum<T>> T parseEnum(Node node, Class<T> clazz) | ||||
| 	{ | ||||
| 		return parseEnum(node, clazz, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an enumerated value. | ||||
| 	 * @param <T> the enumerated type | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param clazz the class of the enumerated | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @return if the node is not null and the node value is valid the parsed value, otherwise null | ||||
| 	 */ | ||||
| 	default <T extends Enum<T>> T parseEnum(NamedNodeMap attrs, Class<T> clazz, String name) | ||||
| 	{ | ||||
| 		return parseEnum(attrs.getNamedItem(name), clazz); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses an enumerated value. | ||||
| 	 * @param <T> the enumerated type | ||||
| 	 * @param attrs the attributes | ||||
| 	 * @param clazz the class of the enumerated | ||||
| 	 * @param name the name of the attribute to parse | ||||
| 	 * @param defaultValue the default value | ||||
| 	 * @return if the node is not null and the node value is valid the parsed value, otherwise the default value | ||||
| 	 */ | ||||
| 	default <T extends Enum<T>> T parseEnum(NamedNodeMap attrs, Class<T> clazz, String name, T defaultValue) | ||||
| 	{ | ||||
| 		return parseEnum(attrs.getNamedItem(name), clazz, defaultValue); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param node | ||||
| 	 * @return parses all attributes to a Map | ||||
| 	 */ | ||||
| 	default Map<String, Object> parseAttributes(Node node) | ||||
| 	{ | ||||
| 		final NamedNodeMap attrs = node.getAttributes(); | ||||
| 		final Map<String, Object> map = new LinkedHashMap<>(); | ||||
| 		for (int i = 0; i < attrs.getLength(); i++) | ||||
| 		{ | ||||
| 			final Node att = attrs.item(i); | ||||
| 			map.put(att.getNodeName(), att.getNodeValue()); | ||||
| 		} | ||||
| 		return map; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Executes action for each child of node | ||||
| 	 * @param node | ||||
| 	 * @param action | ||||
| 	 */ | ||||
| 	default void forEach(Node node, Consumer<Node> action) | ||||
| 	{ | ||||
| 		forEach(node, a -> true, action); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Executes action for each child that matches nodeName | ||||
| 	 * @param node | ||||
| 	 * @param nodeName | ||||
| 	 * @param action | ||||
| 	 */ | ||||
| 	default void forEach(Node node, String nodeName, Consumer<Node> action) | ||||
| 	{ | ||||
| 		forEach(node, innerNode -> nodeName.equalsIgnoreCase(innerNode.getNodeName()), action); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Executes action for each child of node if matches the filter specified | ||||
| 	 * @param node | ||||
| 	 * @param filter | ||||
| 	 * @param action | ||||
| 	 */ | ||||
| 	default void forEach(Node node, Predicate<Node> filter, Consumer<Node> action) | ||||
| 	{ | ||||
| 		final NodeList list = node.getChildNodes(); | ||||
| 		for (int i = 0; i < list.getLength(); i++) | ||||
| 		{ | ||||
| 			final Node targetNode = list.item(i); | ||||
| 			if (filter.test(targetNode)) | ||||
| 			{ | ||||
| 				action.accept(targetNode); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param node | ||||
| 	 * @return {@code true} if the node is an element type, {@code false} otherwise | ||||
| 	 */ | ||||
| 	static boolean isNode(Node node) | ||||
| 	{ | ||||
| 		return node.getNodeType() == Node.ELEMENT_NODE; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param node | ||||
| 	 * @return {@code true} if the node is an element type, {@code false} otherwise | ||||
| 	 */ | ||||
| 	static boolean isText(Node node) | ||||
| 	{ | ||||
| 		return node.getNodeType() == Node.TEXT_NODE; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the current file filter. | ||||
| 	 * @return the current file filter | ||||
| 	 */ | ||||
| 	default FileFilter getCurrentFileFilter() | ||||
| 	{ | ||||
| 		return XML_FILTER; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Simple XML error handler. | ||||
| 	 * @author Zoey76 | ||||
| 	 */ | ||||
| 	class XMLErrorHandler implements ErrorHandler | ||||
| 	{ | ||||
| 		@Override | ||||
| 		public void warning(SAXParseException e) throws SAXParseException | ||||
| 		{ | ||||
| 			throw e; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public void error(SAXParseException e) throws SAXParseException | ||||
| 		{ | ||||
| 			throw e; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public void fatalError(SAXParseException e) throws SAXParseException | ||||
| 		{ | ||||
| 			throw e; | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,94 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class MathUtil | ||||
| { | ||||
| 	public static byte add(byte oldValue, byte value) | ||||
| 	{ | ||||
| 		return (byte) (oldValue + value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static short add(short oldValue, short value) | ||||
| 	{ | ||||
| 		return (short) (oldValue + value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static int add(int oldValue, int value) | ||||
| 	{ | ||||
| 		return oldValue + value; | ||||
| 	} | ||||
| 	 | ||||
| 	public static double add(double oldValue, double value) | ||||
| 	{ | ||||
| 		return oldValue + value; | ||||
| 	} | ||||
| 	 | ||||
| 	public static byte mul(byte oldValue, byte value) | ||||
| 	{ | ||||
| 		return (byte) (oldValue * value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static short mul(short oldValue, short value) | ||||
| 	{ | ||||
| 		return (short) (oldValue * value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static int mul(int oldValue, int value) | ||||
| 	{ | ||||
| 		return oldValue * value; | ||||
| 	} | ||||
| 	 | ||||
| 	public static double mul(double oldValue, double value) | ||||
| 	{ | ||||
| 		return oldValue * value; | ||||
| 	} | ||||
| 	 | ||||
| 	public static byte div(byte oldValue, byte value) | ||||
| 	{ | ||||
| 		return (byte) (oldValue / value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static short div(short oldValue, short value) | ||||
| 	{ | ||||
| 		return (short) (oldValue / value); | ||||
| 	} | ||||
| 	 | ||||
| 	public static int div(int oldValue, int value) | ||||
| 	{ | ||||
| 		return oldValue / value; | ||||
| 	} | ||||
| 	 | ||||
| 	public static double div(double oldValue, double value) | ||||
| 	{ | ||||
| 		return oldValue / value; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param numToTest : The number to test. | ||||
| 	 * @param min : The minimum limit. | ||||
| 	 * @param max : The maximum limit. | ||||
| 	 * @return the number or one of the limit (mininum / maximum). | ||||
| 	 */ | ||||
| 	public static int limit(int numToTest, int min, int max) | ||||
| 	{ | ||||
| 		return (numToTest > max) ? max : ((numToTest < min) ? min : numToTest); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,381 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.FileInputStream; | ||||
| import java.io.InputStreamReader; | ||||
| import java.lang.reflect.Array; | ||||
| import java.nio.charset.Charset; | ||||
| import java.time.Duration; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Arrays; | ||||
| import java.util.List; | ||||
| import java.util.Properties; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| /** | ||||
|  * Simplifies loading of property files and adds logging if a non existing property is requested. | ||||
|  * @author NosBit | ||||
|  */ | ||||
| public final class PropertiesParser | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(PropertiesParser.class.getName()); | ||||
| 	 | ||||
| 	private final Properties _properties = new Properties(); | ||||
| 	private final File _file; | ||||
| 	 | ||||
| 	public PropertiesParser(String name) | ||||
| 	{ | ||||
| 		this(new File(name)); | ||||
| 	} | ||||
| 	 | ||||
| 	public PropertiesParser(File file) | ||||
| 	{ | ||||
| 		_file = file; | ||||
| 		try (FileInputStream fileInputStream = new FileInputStream(file)) | ||||
| 		{ | ||||
| 			try (InputStreamReader inputStreamReader = new InputStreamReader(fileInputStream, Charset.defaultCharset())) | ||||
| 			{ | ||||
| 				_properties.load(inputStreamReader); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] There was an error loading config reason: " + e.getMessage()); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean containskey(String key) | ||||
| 	{ | ||||
| 		return _properties.containsKey(key); | ||||
| 	} | ||||
| 	 | ||||
| 	private String getValue(String key) | ||||
| 	{ | ||||
| 		final String value = _properties.getProperty(key); | ||||
| 		return value != null ? value.trim() : null; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean getBoolean(String key, boolean defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		if (value.equalsIgnoreCase("true")) | ||||
| 		{ | ||||
| 			return true; | ||||
| 		} | ||||
| 		else if (value.equalsIgnoreCase("false")) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"boolean\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public byte getByte(String key, byte defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Byte.parseByte(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"byte\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public short getShort(String key, short defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Short.parseShort(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"short\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public int getInt(String key, int defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Integer.parseInt(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"int\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public long getLong(String key, long defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Long.parseLong(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"long\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public float getFloat(String key, float defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Float.parseFloat(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"float\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public double getDouble(String key, double defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Double.parseDouble(value); | ||||
| 		} | ||||
| 		catch (NumberFormatException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be \"double\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public String getString(String key, String defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		return value; | ||||
| 	} | ||||
| 	 | ||||
| 	public <T extends Enum<T>> T getEnum(String key, Class<T> clazz, T defaultValue) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			return Enum.valueOf(clazz, value); | ||||
| 		} | ||||
| 		catch (IllegalArgumentException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be enum value of \"" + clazz.getSimpleName() + "\" using default value: " + defaultValue); | ||||
| 			return defaultValue; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param durationPattern | ||||
| 	 * @param defaultValue | ||||
| 	 * @return {@link Duration} object by the durationPattern specified, {@code null} in case of malformed pattern. | ||||
| 	 */ | ||||
| 	public Duration getDuration(String durationPattern, String defaultValue) | ||||
| 	{ | ||||
| 		return getDuration(durationPattern, defaultValue, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param durationPattern | ||||
| 	 * @param defaultValue | ||||
| 	 * @param defaultDuration | ||||
| 	 * @return {@link Duration} object by the durationPattern specified, the defaultDuration in case of malformed pattern. | ||||
| 	 */ | ||||
| 	public Duration getDuration(String durationPattern, String defaultValue, Duration defaultDuration) | ||||
| 	{ | ||||
| 		final String value = getString(durationPattern, defaultValue); | ||||
| 		try | ||||
| 		{ | ||||
| 			return TimeUtil.parseDuration(value); | ||||
| 		} | ||||
| 		catch (IllegalStateException e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + durationPattern + " specified value: " + value + " should be time patttern using default value: " + defaultValue); | ||||
| 		} | ||||
| 		return defaultDuration; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param key | ||||
| 	 * @param separator | ||||
| 	 * @param defaultValues | ||||
| 	 * @return int array | ||||
| 	 */ | ||||
| 	public int[] getIntArray(String key, String separator, int... defaultValues) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValues); | ||||
| 			return defaultValues; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			final String[] data = value.trim().split(separator); | ||||
| 			final int[] result = new int[data.length]; | ||||
| 			for (int i = 0; i < data.length; i++) | ||||
| 			{ | ||||
| 				result[i] = Integer.decode(data[i].trim()); | ||||
| 			} | ||||
| 			return result; | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[+_file.getName()+] Invalid value specified for key: " + key + " specified value: " + value + " should be array using default value: " + defaultValues); | ||||
| 			return defaultValues; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param <T> | ||||
| 	 * @param key | ||||
| 	 * @param separator | ||||
| 	 * @param clazz | ||||
| 	 * @param defaultValues | ||||
| 	 * @return enum array | ||||
| 	 */ | ||||
| 	@SafeVarargs | ||||
| 	public final <T extends Enum<T>> T[] getEnumArray(String key, String separator, Class<T> clazz, T... defaultValues) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValues); | ||||
| 			return defaultValues; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			final String[] data = value.trim().split(separator); | ||||
| 			@SuppressWarnings("unchecked") | ||||
| 			final T[] result = (T[]) Array.newInstance(clazz, data.length); | ||||
| 			for (int i = 0; i < data.length; i++) | ||||
| 			{ | ||||
| 				result[i] = Enum.valueOf(clazz, data[i]); | ||||
| 			} | ||||
| 			return result; | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be array using default value: " + defaultValues); | ||||
| 			return defaultValues; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param <T> | ||||
| 	 * @param key | ||||
| 	 * @param separator | ||||
| 	 * @param clazz | ||||
| 	 * @param defaultValues | ||||
| 	 * @return list | ||||
| 	 */ | ||||
| 	@SafeVarargs | ||||
| 	public final <T extends Enum<T>> List<T> getEnumList(String key, String separator, Class<T> clazz, T... defaultValues) | ||||
| 	{ | ||||
| 		final String value = getValue(key); | ||||
| 		if (value == null) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] missing property for key: " + key + " using default value: " + defaultValues); | ||||
| 			return Arrays.asList(defaultValues); | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			final String[] data = value.trim().split(separator); | ||||
| 			final List<T> result = new ArrayList<>(data.length); | ||||
| 			for (String element : data) | ||||
| 			{ | ||||
| 				result.add(Enum.valueOf(clazz, element)); | ||||
| 			} | ||||
| 			return result; | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.warning("[" + _file.getName() + "] Invalid value specified for key: " + key + " specified value: " + value + " should be array using default value: " + defaultValues); | ||||
| 			return Arrays.asList(defaultValues); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,457 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.security.SecureRandom; | ||||
| import java.util.Random; | ||||
|  | ||||
| /** | ||||
|  * @author Forsaiken | ||||
|  */ | ||||
| public final class Rnd | ||||
| { | ||||
| 	/** | ||||
| 	 * This class extends {@link java.util.Random} but do not compare and store atomically.<br> | ||||
| 	 * Instead it`s using a simple volatile flag to ensure reading and storing the whole 64bit seed chunk.<br> | ||||
| 	 * This implementation is much faster on parallel access, but may generate the same seed for 2 threads. | ||||
| 	 * @author Forsaiken | ||||
| 	 * @see java.util.Random | ||||
| 	 */ | ||||
| 	public static final class NonAtomicRandom extends Random | ||||
| 	{ | ||||
| 		private volatile long _seed; | ||||
| 		 | ||||
| 		public NonAtomicRandom() | ||||
| 		{ | ||||
| 			this(++SEED_UNIQUIFIER + System.nanoTime()); | ||||
| 		} | ||||
| 		 | ||||
| 		public NonAtomicRandom(long seed) | ||||
| 		{ | ||||
| 			setSeed(seed); | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public final int next(int bits) | ||||
| 		{ | ||||
| 			return (int) ((_seed = ((_seed * MULTIPLIER) + ADDEND) & MASK) >>> (48 - bits)); | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public final void setSeed(long seed) | ||||
| 		{ | ||||
| 			_seed = (seed ^ MULTIPLIER) & MASK; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @author Forsaiken | ||||
| 	 */ | ||||
| 	protected static final class RandomContainer | ||||
| 	{ | ||||
| 		private final Random _random; | ||||
| 		 | ||||
| 		protected RandomContainer(Random random) | ||||
| 		{ | ||||
| 			_random = random; | ||||
| 		} | ||||
| 		 | ||||
| 		public final Random directRandom() | ||||
| 		{ | ||||
| 			return _random; | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random double number from 0 to 1 | ||||
| 		 * @return A random double number from 0 to 1 | ||||
| 		 * @see com.l2jmobius.commons.util.Rnd#nextDouble() | ||||
| 		 */ | ||||
| 		public final double get() | ||||
| 		{ | ||||
| 			return _random.nextDouble(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Gets a random integer number from 0(inclusive) to n(exclusive) | ||||
| 		 * @param n The superior limit (exclusive) | ||||
| 		 * @return A random integer number from 0 to n-1 | ||||
| 		 */ | ||||
| 		public final int get(int n) | ||||
| 		{ | ||||
| 			return (int) (_random.nextDouble() * n); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Gets a random integer number from min(inclusive) to max(inclusive) | ||||
| 		 * @param min The minimum value | ||||
| 		 * @param max The maximum value | ||||
| 		 * @return A random integer number from min to max | ||||
| 		 */ | ||||
| 		public final int get(int min, int max) | ||||
| 		{ | ||||
| 			return min + (int) (_random.nextDouble() * ((max - min) + 1)); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Gets a random long number from min(inclusive) to max(inclusive) | ||||
| 		 * @param min The minimum value | ||||
| 		 * @param max The maximum value | ||||
| 		 * @return A random long number from min to max | ||||
| 		 */ | ||||
| 		public final long get(long min, long max) | ||||
| 		{ | ||||
| 			return min + (long) (_random.nextDouble() * ((max - min) + 1)); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random boolean state (true or false) | ||||
| 		 * @return A random boolean state (true or false) | ||||
| 		 * @see java.util.Random#nextBoolean() | ||||
| 		 */ | ||||
| 		public final boolean nextBoolean() | ||||
| 		{ | ||||
| 			return _random.nextBoolean(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Fill the given array with random byte numbers from Byte.MIN_VALUE(inclusive) to Byte.MAX_VALUE(inclusive) | ||||
| 		 * @param array The array to be filled with random byte numbers | ||||
| 		 * @see java.util.Random#nextBytes(byte[] bytes) | ||||
| 		 */ | ||||
| 		public final void nextBytes(byte[] array) | ||||
| 		{ | ||||
| 			_random.nextBytes(array); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random double number from 0 to 1 | ||||
| 		 * @return A random double number from 0 to 1 | ||||
| 		 * @see java.util.Random#nextDouble() | ||||
| 		 */ | ||||
| 		public final double nextDouble() | ||||
| 		{ | ||||
| 			return _random.nextDouble(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random float number from 0 to 1 | ||||
| 		 * @return A random integer number from 0 to 1 | ||||
| 		 * @see java.util.Random#nextFloat() | ||||
| 		 */ | ||||
| 		public final float nextFloat() | ||||
| 		{ | ||||
| 			return _random.nextFloat(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random gaussian double number from 0 to 1 | ||||
| 		 * @return A random gaussian double number from 0 to 1 | ||||
| 		 * @see java.util.Random#nextGaussian() | ||||
| 		 */ | ||||
| 		public final double nextGaussian() | ||||
| 		{ | ||||
| 			return _random.nextGaussian(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random integer number from Integer.MIN_VALUE(inclusive) to Integer.MAX_VALUE(inclusive) | ||||
| 		 * @return A random integer number from Integer.MIN_VALUE to Integer.MAX_VALUE | ||||
| 		 * @see java.util.Random#nextInt() | ||||
| 		 */ | ||||
| 		public final int nextInt() | ||||
| 		{ | ||||
| 			return _random.nextInt(); | ||||
| 		} | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Get a random long number from Long.MIN_VALUE(inclusive) to Long.MAX_VALUE(inclusive) | ||||
| 		 * @return A random integer number from Long.MIN_VALUE to Long.MAX_VALUE | ||||
| 		 * @see java.util.Random#nextLong() | ||||
| 		 */ | ||||
| 		public final long nextLong() | ||||
| 		{ | ||||
| 			return _random.nextLong(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @author Forsaiken | ||||
| 	 */ | ||||
| 	public static enum RandomType | ||||
| 	{ | ||||
| 		/** | ||||
| 		 * For best random quality. | ||||
| 		 * @see java.security.SecureRandom | ||||
| 		 */ | ||||
| 		SECURE, | ||||
| 		 | ||||
| 		/** | ||||
| 		 * For average random quality. | ||||
| 		 * @see java.util.Random | ||||
| 		 */ | ||||
| 		UNSECURE_ATOMIC, | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Like {@link com.l2jmobius.commons.util.Rnd.RandomType#UNSECURE_ATOMIC}.<br> | ||||
| 		 * Each thread has it`s own random instance.<br> | ||||
| 		 * Provides best parallel access speed. | ||||
| 		 * @see com.l2jmobius.commons.util.Rnd.ThreadLocalRandom | ||||
| 		 */ | ||||
| 		UNSECURE_THREAD_LOCAL, | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Like {@link com.l2jmobius.commons.util.Rnd.RandomType#UNSECURE_ATOMIC}.<br> | ||||
| 		 * Provides much faster parallel access speed. | ||||
| 		 * @see com.l2jmobius.commons.util.Rnd.NonAtomicRandom | ||||
| 		 */ | ||||
| 		UNSECURE_VOLATILE | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This class extends {@link java.util.Random} but do not compare and store atomically.<br> | ||||
| 	 * Instead it`s using thread local ensure reading and storing the whole 64bit seed chunk.<br> | ||||
| 	 * This implementation is the fastest, never generates the same seed for 2 threads.<br> | ||||
| 	 * Each thread has it`s own random instance. | ||||
| 	 * @author Forsaiken | ||||
| 	 * @see java.util.Random | ||||
| 	 */ | ||||
| 	public static final class ThreadLocalRandom extends Random | ||||
| 	{ | ||||
| 		private static final class Seed | ||||
| 		{ | ||||
| 			long _seed; | ||||
| 			 | ||||
| 			Seed(long seed) | ||||
| 			{ | ||||
| 				setSeed(seed); | ||||
| 			} | ||||
| 			 | ||||
| 			final int next(int bits) | ||||
| 			{ | ||||
| 				return (int) ((_seed = ((_seed * MULTIPLIER) + ADDEND) & MASK) >>> (48 - bits)); | ||||
| 			} | ||||
| 			 | ||||
| 			final void setSeed(long seed) | ||||
| 			{ | ||||
| 				_seed = (seed ^ MULTIPLIER) & MASK; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		private final ThreadLocal<Seed> _seedLocal; | ||||
| 		 | ||||
| 		public ThreadLocalRandom() | ||||
| 		{ | ||||
| 			_seedLocal = new ThreadLocal<Seed>() | ||||
| 			{ | ||||
| 				@Override | ||||
| 				public final Seed initialValue() | ||||
| 				{ | ||||
| 					return new Seed(++SEED_UNIQUIFIER + System.nanoTime()); | ||||
| 				} | ||||
| 			}; | ||||
| 		} | ||||
| 		 | ||||
| 		public ThreadLocalRandom(long seed) | ||||
| 		{ | ||||
| 			_seedLocal = new ThreadLocal<Seed>() | ||||
| 			{ | ||||
| 				@Override | ||||
| 				public final Seed initialValue() | ||||
| 				{ | ||||
| 					return new Seed(seed); | ||||
| 				} | ||||
| 			}; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public final int next(int bits) | ||||
| 		{ | ||||
| 			return _seedLocal.get().next(bits); | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public final void setSeed(long seed) | ||||
| 		{ | ||||
| 			if (_seedLocal != null) | ||||
| 			{ | ||||
| 				_seedLocal.get().setSeed(seed); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private static final long ADDEND = 0xBL; | ||||
| 	 | ||||
| 	private static final long MASK = (1L << 48) - 1; | ||||
| 	 | ||||
| 	private static final long MULTIPLIER = 0x5DEECE66DL; | ||||
| 	 | ||||
| 	private static final RandomContainer rnd = newInstance(RandomType.UNSECURE_THREAD_LOCAL); | ||||
| 	 | ||||
| 	protected static volatile long SEED_UNIQUIFIER = 8682522807148012L; | ||||
| 	 | ||||
| 	public static Random directRandom() | ||||
| 	{ | ||||
| 		return rnd.directRandom(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random double number from 0 to 1 | ||||
| 	 * @return A random double number from 0 to 1 | ||||
| 	 * @see com.l2jmobius.commons.util.Rnd#nextDouble() | ||||
| 	 */ | ||||
| 	public static double get() | ||||
| 	{ | ||||
| 		return rnd.nextDouble(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets a random integer number from 0(inclusive) to n(exclusive) | ||||
| 	 * @param n The superior limit (exclusive) | ||||
| 	 * @return A random integer number from 0 to n-1 | ||||
| 	 */ | ||||
| 	public static int get(int n) | ||||
| 	{ | ||||
| 		return rnd.get(n); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets a random integer number from min(inclusive) to max(inclusive) | ||||
| 	 * @param min The minimum value | ||||
| 	 * @param max The maximum value | ||||
| 	 * @return A random integer number from min to max | ||||
| 	 */ | ||||
| 	public static int get(int min, int max) | ||||
| 	{ | ||||
| 		return rnd.get(min, max); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets a random long number from min(inclusive) to max(inclusive) | ||||
| 	 * @param min The minimum value | ||||
| 	 * @param max The maximum value | ||||
| 	 * @return A random long number from min to max | ||||
| 	 */ | ||||
| 	public static long get(long min, long max) | ||||
| 	{ | ||||
| 		return rnd.get(min, max); | ||||
| 	} | ||||
| 	 | ||||
| 	public static RandomContainer newInstance(RandomType type) | ||||
| 	{ | ||||
| 		switch (type) | ||||
| 		{ | ||||
| 			case UNSECURE_ATOMIC: | ||||
| 			{ | ||||
| 				return new RandomContainer(new Random()); | ||||
| 			} | ||||
| 			case UNSECURE_VOLATILE: | ||||
| 			{ | ||||
| 				return new RandomContainer(new NonAtomicRandom()); | ||||
| 			} | ||||
| 			case UNSECURE_THREAD_LOCAL: | ||||
| 			{ | ||||
| 				return new RandomContainer(new ThreadLocalRandom()); | ||||
| 			} | ||||
| 			case SECURE: | ||||
| 			{ | ||||
| 				return new RandomContainer(new SecureRandom()); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		throw new IllegalArgumentException(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random boolean state (true or false) | ||||
| 	 * @return A random boolean state (true or false) | ||||
| 	 * @see java.util.Random#nextBoolean() | ||||
| 	 */ | ||||
| 	public static boolean nextBoolean() | ||||
| 	{ | ||||
| 		return rnd.nextBoolean(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Fill the given array with random byte numbers from Byte.MIN_VALUE(inclusive) to Byte.MAX_VALUE(inclusive) | ||||
| 	 * @param array The array to be filled with random byte numbers | ||||
| 	 * @see java.util.Random#nextBytes(byte[] bytes) | ||||
| 	 */ | ||||
| 	public static void nextBytes(byte[] array) | ||||
| 	{ | ||||
| 		rnd.nextBytes(array); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random double number from 0 to 1 | ||||
| 	 * @return A random double number from 0 to 1 | ||||
| 	 * @see java.util.Random#nextDouble() | ||||
| 	 */ | ||||
| 	public static double nextDouble() | ||||
| 	{ | ||||
| 		return rnd.nextDouble(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random float number from 0 to 1 | ||||
| 	 * @return A random integer number from 0 to 1 | ||||
| 	 * @see java.util.Random#nextFloat() | ||||
| 	 */ | ||||
| 	public static float nextFloat() | ||||
| 	{ | ||||
| 		return rnd.nextFloat(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random gaussian double number from 0 to 1 | ||||
| 	 * @return A random gaussian double number from 0 to 1 | ||||
| 	 * @see java.util.Random#nextGaussian() | ||||
| 	 */ | ||||
| 	public static double nextGaussian() | ||||
| 	{ | ||||
| 		return rnd.nextGaussian(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random integer number from Integer.MIN_VALUE(inclusive) to Integer.MAX_VALUE(inclusive) | ||||
| 	 * @return A random integer number from Integer.MIN_VALUE to Integer.MAX_VALUE | ||||
| 	 * @see java.util.Random#nextInt() | ||||
| 	 */ | ||||
| 	public static int nextInt() | ||||
| 	{ | ||||
| 		return rnd.nextInt(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param n | ||||
| 	 * @return int | ||||
| 	 * @see com.l2jmobius.commons.util.Rnd#get(int n) | ||||
| 	 */ | ||||
| 	public static int nextInt(int n) | ||||
| 	{ | ||||
| 		return get(n); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get a random long number from Long.MIN_VALUE(inclusive) to Long.MAX_VALUE(inclusive) | ||||
| 	 * @return A random integer number from Long.MIN_VALUE to Long.MAX_VALUE | ||||
| 	 * @see java.util.Random#nextLong() | ||||
| 	 */ | ||||
| 	public static long nextLong() | ||||
| 	{ | ||||
| 		return rnd.nextLong(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,276 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
|  | ||||
| /** | ||||
|  * String utilities optimized for the best performance.<br> | ||||
|  * <h1>How to Use It</h1> | ||||
|  * <h2>concat() or append()</h2> If concatenating strings<br> | ||||
|  * in single call, use StringUtil.concat(), otherwise use StringUtil.append()<br> | ||||
|  * and its variants.<br> | ||||
|  * <br> | ||||
|  * <h2>Minimum Calls</h2><br> | ||||
|  * Bad: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString = new StringBuilder(); | ||||
|  * StringUtil.append(sbString, "text 1", String.valueOf(npcId)); | ||||
|  * StringUtil.append("text 2"); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Good: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString = new StringBuilder(); | ||||
|  * StringUtil.append(sbString, "text 1", String.valueOf(npcId), "text 2"); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Why?<br/> | ||||
|  * Because the less calls you do, the less memory re-allocations have to be done<br> | ||||
|  * so the whole text fits into the memory and less array copy tasks has to be<br> | ||||
|  * performed. So if using less calls, less memory is used and string concatenation is faster.<br> | ||||
|  * <br> | ||||
|  * <h2>Size Hints for Loops</h2><br> | ||||
|  * Bad: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString = new StringBuilder(); | ||||
|  * StringUtil.append(sbString, "header start", someText, "header end"); | ||||
|  * for (int i = 0; i < 50; i++) | ||||
|  * { | ||||
|  * 	StringUtil.append(sbString, "text 1", stringArray[i], "text 2"); | ||||
|  * } | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Good: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString = StringUtil.startAppend(1300, "header start", someText, "header end"); | ||||
|  * for (int i = 0; i < 50; i++) | ||||
|  * { | ||||
|  * 	StringUtil.append(sbString, "text 1", stringArray[i], "text 2"); | ||||
|  * } | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Why?<br/> | ||||
|  * When using StringUtil.append(), memory is only allocated to fit in the strings in method argument. So on each loop new memory for the string has to be allocated and old string has to be copied to the new string. With size hint, even if the size hint is above the needed memory, memory is saved | ||||
|  * because new memory has not to be allocated on each cycle. Also it is much faster if no string copy tasks has to be performed. So if concatenating strings in a loop, count approximately the size and set it as the hint for the string builder size. It's better to make the size hint little bit larger | ||||
|  * rather than smaller.<br/> | ||||
|  * In case there is no text appended before the cycle, just use <code>new | ||||
|  * StringBuilder(1300)</code>.<br> | ||||
|  * <br> | ||||
|  * <h2>Concatenation and Constants</h2><br> | ||||
|  * Bad: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * StringUtil.concat("text 1 ", "text 2", String.valueOf(npcId)); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Good: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * StringUtil.concat("text 1 " + "text 2", String.valueOf(npcId)); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * or | ||||
|  *  | ||||
|  * <pre> | ||||
|  * StringUtil.concat("text 1 text 2", String.valueOf(npcId)); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Why?<br/> | ||||
|  * It saves some cycles when determining size of memory that needs to be allocated because less strings are passed to concat() method. But do not use + for concatenation of non-constant strings, that degrades performance and makes extra memory allocations needed.<br> | ||||
|  * <h2>Concatenation and Constant Variables</h2> Bad: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * String glue = "some glue"; | ||||
|  * StringUtil.concat("text 1", glue, "text 2", glue, String.valueOf(npcId)); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Good: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final String glue = "some glue"; | ||||
|  * StringUtil.concat("text 1" + glue + "text2" + glue, String.valueOf(npcId)); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Why? Because when using <code>final</code> keyword, the <code>glue</code> is marked as constant string and compiler treats it as a constant string so it is able to create string "text1some gluetext2some glue" during the compilation. But this only works in case the value is known at compilation | ||||
|  * time, so this cannot be used for cases like <code>final String objectIdString = | ||||
|  * String.valueOf(getObjectId)</code>.<br> | ||||
|  * <br> | ||||
|  * <h2>StringBuilder Reuse</h2><br> | ||||
|  * Bad: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString1 = new StringBuilder(); | ||||
|  * StringUtil.append(sbString1, "text 1", String.valueOf(npcId), "text 2"); | ||||
|  * ... // output of sbString1, it is no more needed | ||||
|  * final StringBuilder sbString2 = new StringBuilder(); | ||||
|  * StringUtil.append(sbString2, "text 3", String.valueOf(npcId), "text 4"); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Good: | ||||
|  *  | ||||
|  * <pre> | ||||
|  * final StringBuilder sbString = new StringBuilder(); | ||||
|  * StringUtil.append(sbString, "text 1", String.valueOf(npcId), "text 2"); | ||||
|  * ... // output of sbString, it is no more needed | ||||
|  * sbString.setLength(0); | ||||
|  * StringUtil.append(sbString, "text 3", String.valueOf(npcId), "text 4"); | ||||
|  * </pre> | ||||
|  *  | ||||
|  * Why?</br> | ||||
|  * In first case, new memory has to be allocated for the second string. In second case already allocated memory is reused, but only in case the new string is not longer than the previously allocated string. Anyway, the second way is better because the string either fits in the memory and some memory | ||||
|  * is saved, or it does not fit in the memory, and in that case it works as in the first case. | ||||
|  * <h2>Primitives to Strings</h2> To convert primitives to string, use String.valueOf().<br> | ||||
|  * <br> | ||||
|  * <h2>How much faster is it?</h2><br> | ||||
|  * Here are some results of my tests. Count is number of strings concatenated. Don't take the numbers as 100% true as the numbers are affected by other programs running on my computer at the same time. Anyway, from the results it is obvious that using StringBuilder with predefined size is the | ||||
|  * fastest (and also most memory efficient) solution. It is about 5 times faster when concatenating 7 strings, compared to TextBuilder. Also, with more strings concatenated, the difference between StringBuilder and TextBuilder gets larger. In code, there are many cases, where there are concatenated | ||||
|  * 50+ strings so the time saving is even greater.<br> | ||||
|  *  | ||||
|  * <pre> | ||||
|  * Count: 2 | ||||
|  * TextBuilder: 1893 | ||||
|  * TextBuilder with size: 1703 | ||||
|  * String: 1033 | ||||
|  * StringBuilder: 993 | ||||
|  * StringBuilder with size: 1024 | ||||
|  * Count: 3 | ||||
|  * TextBuilder: 1973 | ||||
|  * TextBuilder with size: 1872 | ||||
|  * String: 2583 | ||||
|  * StringBuilder: 1633 | ||||
|  * StringBuilder with size: 1156 | ||||
|  * Count: 4 | ||||
|  * TextBuilder: 2188 | ||||
|  * TextBuilder with size: 2229 | ||||
|  * String: 4207 | ||||
|  * StringBuilder: 1816 | ||||
|  * StringBuilder with size: 1444 | ||||
|  * Count: 5 | ||||
|  * TextBuilder: 9185 | ||||
|  * TextBuilder with size: 9464 | ||||
|  * String: 6937 | ||||
|  * StringBuilder: 2745 | ||||
|  * StringBuilder with size: 1882 | ||||
|  * Count: 6 | ||||
|  * TextBuilder: 9785 | ||||
|  * TextBuilder with size: 10082 | ||||
|  * String: 9471 | ||||
|  * StringBuilder: 2889 | ||||
|  * StringBuilder with size: 1857 | ||||
|  * Count: 7 | ||||
|  * TextBuilder: 10169 | ||||
|  * TextBuilder with size: 10528 | ||||
|  * String: 12746 | ||||
|  * StringBuilder: 3081 | ||||
|  * StringBuilder with size: 2139 | ||||
|  * </pre> | ||||
|  *  | ||||
|  * @author fordfrog | ||||
|  */ | ||||
| public final class StringUtil | ||||
| { | ||||
| 	private StringUtil() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Concatenates strings. | ||||
| 	 * @param strings strings to be concatenated | ||||
| 	 * @return concatenated string | ||||
| 	 */ | ||||
| 	public static String concat(String... strings) | ||||
| 	{ | ||||
| 		final StringBuilder sbString = new StringBuilder(); | ||||
| 		for (String string : strings) | ||||
| 		{ | ||||
| 			sbString.append(string); | ||||
| 		} | ||||
| 		return sbString.toString(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Creates new string builder with size initializated to <code>sizeHint</code>, unless total length of strings is greater than <code>sizeHint</code>. | ||||
| 	 * @param sizeHint hint for string builder size allocation | ||||
| 	 * @param strings strings to be appended | ||||
| 	 * @return created string builder | ||||
| 	 */ | ||||
| 	public static StringBuilder startAppend(int sizeHint, String... strings) | ||||
| 	{ | ||||
| 		final int length = getLength(strings); | ||||
| 		final StringBuilder sbString = new StringBuilder(sizeHint > length ? sizeHint : length); | ||||
| 		for (String string : strings) | ||||
| 		{ | ||||
| 			sbString.append(string); | ||||
| 		} | ||||
| 		return sbString; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Appends strings to existing string builder. | ||||
| 	 * @param sbString string builder | ||||
| 	 * @param strings strings to be appended | ||||
| 	 */ | ||||
| 	public static void append(StringBuilder sbString, String... strings) | ||||
| 	{ | ||||
| 		sbString.ensureCapacity(sbString.length() + getLength(strings)); | ||||
| 		 | ||||
| 		for (String string : strings) | ||||
| 		{ | ||||
| 			sbString.append(string); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static int getLength(Iterable<String> strings) | ||||
| 	{ | ||||
| 		int length = 0; | ||||
| 		for (String string : strings) | ||||
| 		{ | ||||
| 			length += (string == null) ? 4 : string.length(); | ||||
| 		} | ||||
| 		return length; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Counts total length of all the strings. | ||||
| 	 * @param strings array of strings | ||||
| 	 * @return total length of all the strings | ||||
| 	 */ | ||||
| 	public static int getLength(String[] strings) | ||||
| 	{ | ||||
| 		int length = 0; | ||||
| 		for (String string : strings) | ||||
| 		{ | ||||
| 			length += (string == null) ? 4 : string.length(); | ||||
| 		} | ||||
| 		return length; | ||||
| 	} | ||||
| 	 | ||||
| 	public static String getTraceString(StackTraceElement[] trace) | ||||
| 	{ | ||||
| 		final StringBuilder sbString = new StringBuilder(); | ||||
| 		for (StackTraceElement element : trace) | ||||
| 		{ | ||||
| 			sbString.append(element.toString()).append(Config.EOL); | ||||
| 		} | ||||
| 		return sbString.toString(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,125 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util; | ||||
|  | ||||
| import java.time.Duration; | ||||
| import java.time.temporal.ChronoUnit; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class TimeUtil | ||||
| { | ||||
| 	public static int findIndexOfNonDigit(CharSequence text) | ||||
| 	{ | ||||
| 		for (int i = 0; i < text.length(); i++) | ||||
| 		{ | ||||
| 			if (Character.isDigit(text.charAt(i))) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			return i; | ||||
| 		} | ||||
| 		return -1; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Parses patterns like: | ||||
| 	 * <ul> | ||||
| 	 * <li>1min or 10mins</li> | ||||
| 	 * <li>1day or 10days</li> | ||||
| 	 * <li>1week or 4weeks</li> | ||||
| 	 * <li>1month or 12months</li> | ||||
| 	 * <li>1year or 5years</li> | ||||
| 	 * </ul> | ||||
| 	 * @param datePattern | ||||
| 	 * @return {@link Duration} object converted by the date pattern specified. | ||||
| 	 * @throws IllegalStateException when malformed pattern specified. | ||||
| 	 */ | ||||
| 	public static Duration parseDuration(String datePattern) | ||||
| 	{ | ||||
| 		final int index = findIndexOfNonDigit(datePattern); | ||||
| 		if (index == -1) | ||||
| 		{ | ||||
| 			throw new IllegalStateException("Incorrect time format given: " + datePattern); | ||||
| 		} | ||||
| 		try | ||||
| 		{ | ||||
| 			final int val = Integer.parseInt(datePattern.substring(0, index)); | ||||
| 			final String type = datePattern.substring(index); | ||||
| 			final ChronoUnit unit; | ||||
| 			switch (type.toLowerCase()) | ||||
| 			{ | ||||
| 				case "sec": | ||||
| 				case "secs": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.SECONDS; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "min": | ||||
| 				case "mins": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.MINUTES; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "hour": | ||||
| 				case "hours": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.HOURS; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "day": | ||||
| 				case "days": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.DAYS; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "week": | ||||
| 				case "weeks": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.WEEKS; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "month": | ||||
| 				case "months": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.MONTHS; | ||||
| 					break; | ||||
| 				} | ||||
| 				case "year": | ||||
| 				case "years": | ||||
| 				{ | ||||
| 					unit = ChronoUnit.YEARS; | ||||
| 					break; | ||||
| 				} | ||||
| 				default: | ||||
| 				{ | ||||
| 					unit = ChronoUnit.valueOf(type); | ||||
| 					if (unit == null) | ||||
| 					{ | ||||
| 						throw new IllegalStateException("Incorrect format: " + type + " !!"); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			return Duration.of(val, unit); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			throw new IllegalStateException("Incorrect time format given: " + datePattern + " val: " + datePattern.substring(0, index)); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @@ -0,0 +1,126 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.crypt; | ||||
|  | ||||
| import java.io.IOException; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
|  | ||||
| /** | ||||
|  * @author KenM | ||||
|  */ | ||||
| public class LoginCrypt | ||||
| { | ||||
| 	private static final byte[] STATIC_BLOWFISH_KEY = | ||||
| 	{ | ||||
| 		(byte) 0x6b, | ||||
| 		(byte) 0x60, | ||||
| 		(byte) 0xcb, | ||||
| 		(byte) 0x5b, | ||||
| 		(byte) 0x82, | ||||
| 		(byte) 0xce, | ||||
| 		(byte) 0x90, | ||||
| 		(byte) 0xb1, | ||||
| 		(byte) 0xcc, | ||||
| 		(byte) 0x2b, | ||||
| 		(byte) 0x6c, | ||||
| 		(byte) 0x55, | ||||
| 		(byte) 0x6c, | ||||
| 		(byte) 0x6c, | ||||
| 		(byte) 0x6c, | ||||
| 		(byte) 0x6c | ||||
| 	}; | ||||
| 	 | ||||
| 	private static final NewCrypt _STATIC_CRYPT = new NewCrypt(STATIC_BLOWFISH_KEY); | ||||
| 	private NewCrypt _crypt = null; | ||||
| 	private boolean _static = true; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to initialize the the blowfish cipher with dynamic key. | ||||
| 	 * @param key the blowfish key to initialize the dynamic blowfish cipher with | ||||
| 	 */ | ||||
| 	public void setKey(byte[] key) | ||||
| 	{ | ||||
| 		_crypt = new NewCrypt(key); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to decrypt an incoming login client packet. | ||||
| 	 * @param raw array with encrypted data | ||||
| 	 * @param offset offset where the encrypted data is located | ||||
| 	 * @param size number of bytes of encrypted data | ||||
| 	 * @return true when checksum could be verified, false otherwise | ||||
| 	 * @throws IOException the size is not multiple of blowfishs block size or the raw array can't hold size bytes starting at offset due to it's size | ||||
| 	 */ | ||||
| 	public boolean decrypt(byte[] raw, int offset, int size) throws IOException | ||||
| 	{ | ||||
| 		if ((size % 8) != 0) | ||||
| 		{ | ||||
| 			throw new IOException("size have to be multiple of 8"); | ||||
| 		} | ||||
| 		if ((offset + size) > raw.length) | ||||
| 		{ | ||||
| 			throw new IOException("raw array too short for size starting from offset"); | ||||
| 		} | ||||
| 		 | ||||
| 		_crypt.decrypt(raw, offset, size); | ||||
| 		return NewCrypt.verifyChecksum(raw, offset, size); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to encrypt an outgoing packet to login client.<br> | ||||
| 	 * Performs padding and resizing of data array. | ||||
| 	 * @param raw array with plain data | ||||
| 	 * @param offset offset where the plain data is located | ||||
| 	 * @param size number of bytes of plain data | ||||
| 	 * @return the new array size | ||||
| 	 * @throws IOException packet is too long to make padding and add verification data | ||||
| 	 */ | ||||
| 	public int encrypt(byte[] raw, int offset, int size) throws IOException | ||||
| 	{ | ||||
| 		// reserve checksum | ||||
| 		size += 4; | ||||
| 		 | ||||
| 		if (_static) | ||||
| 		{ | ||||
| 			// reserve for XOR "key" | ||||
| 			size += 4; | ||||
| 			 | ||||
| 			// padding | ||||
| 			size += 8 - (size % 8); | ||||
| 			if ((offset + size) > raw.length) | ||||
| 			{ | ||||
| 				throw new IOException("packet too long"); | ||||
| 			} | ||||
| 			NewCrypt.encXORPass(raw, offset, size, Rnd.nextInt()); | ||||
| 			_STATIC_CRYPT.crypt(raw, offset, size); | ||||
| 			_static = false; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// padding | ||||
| 			size += 8 - (size % 8); | ||||
| 			if ((offset + size) > raw.length) | ||||
| 			{ | ||||
| 				throw new IOException("packet too long"); | ||||
| 			} | ||||
| 			NewCrypt.appendChecksum(raw, offset, size); | ||||
| 			_crypt.crypt(raw, offset, size); | ||||
| 		} | ||||
| 		return size; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,218 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.crypt; | ||||
|  | ||||
| /** | ||||
|  * Class to use a blowfish cipher with ECB processing.<br> | ||||
|  * Static methods are present to append/check the checksum of<br> | ||||
|  * packets exchanged between the following partners:<br> | ||||
|  * Login Server <-> Game Client<br> | ||||
|  * Login Server <-> Game Server<br> | ||||
|  * Also a static method is provided for the initial xor encryption between Login Server <-> Game Client. | ||||
|  */ | ||||
| public final class NewCrypt | ||||
| { | ||||
| 	private final BlowfishEngine _cipher; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param blowfishKey | ||||
| 	 */ | ||||
| 	public NewCrypt(byte[] blowfishKey) | ||||
| 	{ | ||||
| 		_cipher = new BlowfishEngine(); | ||||
| 		_cipher.init(blowfishKey); | ||||
| 	} | ||||
| 	 | ||||
| 	public NewCrypt(String key) | ||||
| 	{ | ||||
| 		this(key.getBytes()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Equivalent to calling {@link #verifyChecksum(byte[], int, int)} with parameters (raw, 0, raw.length) | ||||
| 	 * @param raw data array to be verified | ||||
| 	 * @return true when the checksum of the data is valid, false otherwise | ||||
| 	 */ | ||||
| 	public static boolean verifyChecksum(byte[] raw) | ||||
| 	{ | ||||
| 		return NewCrypt.verifyChecksum(raw, 0, raw.length); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to verify the checksum of a packet received by login server from game client.<br> | ||||
| 	 * This is also used for game server <-> login server communication. | ||||
| 	 * @param raw data array to be verified | ||||
| 	 * @param offset at which offset to start verifying | ||||
| 	 * @param size number of bytes to verify | ||||
| 	 * @return true if the checksum of the data is valid, false otherwise | ||||
| 	 */ | ||||
| 	public static boolean verifyChecksum(byte[] raw, int offset, int size) | ||||
| 	{ | ||||
| 		// check if size is multiple of 4 and if there is more then only the checksum | ||||
| 		if (((size & 3) != 0) || (size <= 4)) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		long chksum = 0; | ||||
| 		final int count = size - 4; | ||||
| 		long check = -1; | ||||
| 		int i; | ||||
| 		 | ||||
| 		for (i = offset; i < count; i += 4) | ||||
| 		{ | ||||
| 			check = raw[i] & 0xff; | ||||
| 			check |= (raw[i + 1] << 8) & 0xff00; | ||||
| 			check |= (raw[i + 2] << 0x10) & 0xff0000; | ||||
| 			check |= (raw[i + 3] << 0x18) & 0xff000000; | ||||
| 			 | ||||
| 			chksum ^= check; | ||||
| 		} | ||||
| 		 | ||||
| 		check = raw[i] & 0xff; | ||||
| 		check |= (raw[i + 1] << 8) & 0xff00; | ||||
| 		check |= (raw[i + 2] << 0x10) & 0xff0000; | ||||
| 		check |= (raw[i + 3] << 0x18) & 0xff000000; | ||||
| 		 | ||||
| 		return check == chksum; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Equivalent to calling {@link #appendChecksum(byte[], int, int)} with parameters (raw, 0, raw.length) | ||||
| 	 * @param raw data array to compute the checksum from | ||||
| 	 */ | ||||
| 	public static void appendChecksum(byte[] raw) | ||||
| 	{ | ||||
| 		NewCrypt.appendChecksum(raw, 0, raw.length); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to append packet checksum at the end of the packet. | ||||
| 	 * @param raw data array to compute the checksum from | ||||
| 	 * @param offset offset where to start in the data array | ||||
| 	 * @param size number of bytes to compute the checksum from | ||||
| 	 */ | ||||
| 	public static void appendChecksum(byte[] raw, int offset, int size) | ||||
| 	{ | ||||
| 		long chksum = 0; | ||||
| 		final int count = size - 4; | ||||
| 		long ecx; | ||||
| 		int i; | ||||
| 		 | ||||
| 		for (i = offset; i < count; i += 4) | ||||
| 		{ | ||||
| 			ecx = raw[i] & 0xff; | ||||
| 			ecx |= (raw[i + 1] << 8) & 0xff00; | ||||
| 			ecx |= (raw[i + 2] << 0x10) & 0xff0000; | ||||
| 			ecx |= (raw[i + 3] << 0x18) & 0xff000000; | ||||
| 			 | ||||
| 			chksum ^= ecx; | ||||
| 		} | ||||
| 		 | ||||
| 		ecx = raw[i] & 0xff; | ||||
| 		ecx |= (raw[i + 1] << 8) & 0xff00; | ||||
| 		ecx |= (raw[i + 2] << 0x10) & 0xff0000; | ||||
| 		ecx |= (raw[i + 3] << 0x18) & 0xff000000; | ||||
| 		 | ||||
| 		raw[i] = (byte) (chksum & 0xff); | ||||
| 		raw[i + 1] = (byte) ((chksum >> 0x08) & 0xff); | ||||
| 		raw[i + 2] = (byte) ((chksum >> 0x10) & 0xff); | ||||
| 		raw[i + 3] = (byte) ((chksum >> 0x18) & 0xff); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Packet is first XOR encoded with <code>key</code> then, the last 4 bytes are overwritten with the the XOR "key".<br> | ||||
| 	 * Thus this assume that there is enough room for the key to fit without overwriting data. | ||||
| 	 * @param raw The raw bytes to be encrypted | ||||
| 	 * @param key The 4 bytes (int) XOR key | ||||
| 	 */ | ||||
| 	public static void encXORPass(byte[] raw, int key) | ||||
| 	{ | ||||
| 		NewCrypt.encXORPass(raw, 0, raw.length, key); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Packet is first XOR encoded with <code>key</code> then, the last 4 bytes are overwritten with the the XOR "key".<br> | ||||
| 	 * Thus this assume that there is enough room for the key to fit without overwriting data. | ||||
| 	 * @param raw The raw bytes to be encrypted | ||||
| 	 * @param offset The beginning of the data to be encrypted | ||||
| 	 * @param size Length of the data to be encrypted | ||||
| 	 * @param key The 4 bytes (int) XOR key | ||||
| 	 */ | ||||
| 	static void encXORPass(byte[] raw, int offset, int size, int key) | ||||
| 	{ | ||||
| 		final int stop = size - 8; | ||||
| 		int pos = 4 + offset; | ||||
| 		int edx; | ||||
| 		int ecx = key; // Initial xor key | ||||
| 		 | ||||
| 		while (pos < stop) | ||||
| 		{ | ||||
| 			edx = raw[pos] & 0xFF; | ||||
| 			edx |= (raw[pos + 1] & 0xFF) << 8; | ||||
| 			edx |= (raw[pos + 2] & 0xFF) << 16; | ||||
| 			edx |= (raw[pos + 3] & 0xFF) << 24; | ||||
| 			 | ||||
| 			ecx += edx; | ||||
| 			 | ||||
| 			edx ^= ecx; | ||||
| 			 | ||||
| 			raw[pos++] = (byte) (edx & 0xFF); | ||||
| 			raw[pos++] = (byte) ((edx >> 8) & 0xFF); | ||||
| 			raw[pos++] = (byte) ((edx >> 16) & 0xFF); | ||||
| 			raw[pos++] = (byte) ((edx >> 24) & 0xFF); | ||||
| 		} | ||||
| 		 | ||||
| 		raw[pos++] = (byte) (ecx & 0xFF); | ||||
| 		raw[pos++] = (byte) ((ecx >> 8) & 0xFF); | ||||
| 		raw[pos++] = (byte) ((ecx >> 16) & 0xFF); | ||||
| 		raw[pos++] = (byte) ((ecx >> 24) & 0xFF); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to decrypt using Blowfish-Blockcipher in ECB mode.<br> | ||||
| 	 * The results will be directly placed inside {@code raw} array.<br> | ||||
| 	 * This method does not do any error checking, since the calling code<br> | ||||
| 	 * should ensure sizes. | ||||
| 	 * @param raw the data array to be decrypted | ||||
| 	 * @param offset the offset at which to start decrypting | ||||
| 	 * @param size the number of bytes to be decrypted | ||||
| 	 */ | ||||
| 	public void decrypt(byte[] raw, int offset, int size) | ||||
| 	{ | ||||
| 		for (int i = offset; i < (offset + size); i += 8) | ||||
| 		{ | ||||
| 			_cipher.decryptBlock(raw, i); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Method to encrypt using Blowfish-Blockcipher in ECB mode.<br> | ||||
| 	 * The results will be directly placed inside {@code raw} array.<br> | ||||
| 	 * This method does not do any error checking, since the calling code should ensure sizes. | ||||
| 	 * @param raw the data array to be decrypted | ||||
| 	 * @param offset the offset at which to start decrypting | ||||
| 	 * @param size the number of bytes to be decrypted | ||||
| 	 */ | ||||
| 	public void crypt(byte[] raw, int offset, int size) | ||||
| 	{ | ||||
| 		for (int i = offset; i < (offset + size); i += 8) | ||||
| 		{ | ||||
| 			_cipher.encryptBlock(raw, i); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,75 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.crypt; | ||||
|  | ||||
| import java.math.BigInteger; | ||||
| import java.security.KeyPair; | ||||
| import java.security.interfaces.RSAPublicKey; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| /** | ||||
|  * | ||||
|  */ | ||||
| public class ScrambledKeyPair | ||||
| { | ||||
| 	private static Logger _log = Logger.getLogger(ScrambledKeyPair.class.getName()); | ||||
| 	public KeyPair _pair; | ||||
| 	public byte[] _scrambledModulus; | ||||
| 	 | ||||
| 	public ScrambledKeyPair(KeyPair pPair) | ||||
| 	{ | ||||
| 		_pair = pPair; | ||||
| 		_scrambledModulus = scrambleModulus(((RSAPublicKey) _pair.getPublic()).getModulus()); | ||||
| 	} | ||||
| 	 | ||||
| 	private byte[] scrambleModulus(BigInteger modulus) | ||||
| 	{ | ||||
| 		byte[] scrambledMod = modulus.toByteArray(); | ||||
| 		 | ||||
| 		if ((scrambledMod.length == 0x81) && (scrambledMod[0] == 0x00)) | ||||
| 		{ | ||||
| 			final byte[] temp = new byte[0x80]; | ||||
| 			System.arraycopy(scrambledMod, 1, temp, 0, 0x80); | ||||
| 			scrambledMod = temp; | ||||
| 		} | ||||
| 		// step 1 : 0x4d-0x50 <-> 0x00-0x04 | ||||
| 		for (int i = 0; i < 4; i++) | ||||
| 		{ | ||||
| 			final byte temp = scrambledMod[0x00 + i]; | ||||
| 			scrambledMod[0x00 + i] = scrambledMod[0x4d + i]; | ||||
| 			scrambledMod[0x4d + i] = temp; | ||||
| 		} | ||||
| 		// step 2 : xor first 0x40 bytes with last 0x40 bytes | ||||
| 		for (int i = 0; i < 0x40; i++) | ||||
| 		{ | ||||
| 			scrambledMod[i] = (byte) (scrambledMod[i] ^ scrambledMod[0x40 + i]); | ||||
| 		} | ||||
| 		// step 3 : xor bytes 0x0d-0x10 with bytes 0x34-0x38 | ||||
| 		for (int i = 0; i < 4; i++) | ||||
| 		{ | ||||
| 			scrambledMod[0x0d + i] = (byte) (scrambledMod[0x0d + i] ^ scrambledMod[0x34 + i]); | ||||
| 		} | ||||
| 		// step 4 : xor last 0x40 bytes with first 0x40 bytes | ||||
| 		for (int i = 0; i < 0x40; i++) | ||||
| 		{ | ||||
| 			scrambledMod[0x40 + i] = (byte) (scrambledMod[0x40 + i] ^ scrambledMod[i]); | ||||
| 		} | ||||
| 		_log.finer("Modulus was scrambled"); | ||||
| 		 | ||||
| 		return scrambledMod; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,43 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.file.filter; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.FileFilter; | ||||
|  | ||||
| /** | ||||
|  * @author lasarus | ||||
|  */ | ||||
| public class ExtFilter implements FileFilter | ||||
| { | ||||
| 	private final String _ext; | ||||
| 	 | ||||
| 	public ExtFilter(String ext) | ||||
| 	{ | ||||
| 		_ext = ext; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public boolean accept(File f) | ||||
| 	{ | ||||
| 		if ((f == null) || !f.isFile()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		return f.getName().toLowerCase().endsWith(_ext); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,39 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.file.filter; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.FileFilter; | ||||
|  | ||||
| /** | ||||
|  * Specialized {@link FileFilter} class.<br> | ||||
|  * Accepts <b>files</b> ending with ".htm" and ".html" only. | ||||
|  * @author Zoey76 | ||||
|  */ | ||||
| public class HTMLFilter implements FileFilter | ||||
| { | ||||
| 	@Override | ||||
| 	public boolean accept(File f) | ||||
| 	{ | ||||
| 		if ((f == null) || !f.isFile()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		final String name = f.getName().toLowerCase(); | ||||
| 		return name.endsWith(".htm") || name.endsWith(".html"); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,33 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.file.filter; | ||||
|  | ||||
| import java.io.File; | ||||
|  | ||||
| /** | ||||
|  * Specialized {@link XMLFilter} class.<br> | ||||
|  * Accepts <b>files</b> matching "numbers".xml only. | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class NumericNameFilter extends XMLFilter | ||||
| { | ||||
| 	@Override | ||||
| 	public boolean accept(File f) | ||||
| 	{ | ||||
| 		return super.accept(f) && f.getName().matches("\\d+\\.xml"); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,30 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.file.filter; | ||||
|  | ||||
| /** | ||||
|  * Specialized {@link ExtFilter} class.<br> | ||||
|  * Accepts <b>files</b> ending with ".sql" only. | ||||
|  * @author Zoey76 | ||||
|  */ | ||||
| public class SQLFilter extends ExtFilter | ||||
| { | ||||
| 	public SQLFilter() | ||||
| 	{ | ||||
| 		super(".sql"); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,30 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.file.filter; | ||||
|  | ||||
| /** | ||||
|  * Specialized {@link ExtFilter} class.<br> | ||||
|  * Accepts files ending with ".xml" only. | ||||
|  * @author mrTJO | ||||
|  */ | ||||
| public class XMLFilter extends ExtFilter | ||||
| { | ||||
| 	public XMLFilter() | ||||
| 	{ | ||||
| 		super(".xml"); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,107 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.network; | ||||
|  | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| /** | ||||
|  * This class ... | ||||
|  * @version $Revision: 1.2.4.1 $ $Date: 2005/03/27 15:30:12 $ | ||||
|  */ | ||||
| public abstract class BaseRecievePacket | ||||
| { | ||||
| 	private static final Logger _log = Logger.getLogger(BaseRecievePacket.class.getName()); | ||||
| 	 | ||||
| 	private final byte[] _decrypt; | ||||
| 	private int _off; | ||||
| 	 | ||||
| 	public BaseRecievePacket(byte[] decrypt) | ||||
| 	{ | ||||
| 		_decrypt = decrypt; | ||||
| 		_off = 1; // skip packet type id | ||||
| 	} | ||||
| 	 | ||||
| 	public int readD() | ||||
| 	{ | ||||
| 		int result = _decrypt[_off++] & 0xff; | ||||
| 		result |= (_decrypt[_off++] << 8) & 0xff00; | ||||
| 		result |= (_decrypt[_off++] << 0x10) & 0xff0000; | ||||
| 		result |= (_decrypt[_off++] << 0x18) & 0xff000000; | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public int readC() | ||||
| 	{ | ||||
| 		return _decrypt[_off++] & 0xff; | ||||
| 	} | ||||
| 	 | ||||
| 	public int readH() | ||||
| 	{ | ||||
| 		return (_decrypt[_off++] & 0xff) | ((_decrypt[_off++] << 8) & 0xff00); | ||||
| 	} | ||||
| 	 | ||||
| 	public double readF() | ||||
| 	{ | ||||
| 		long result = _decrypt[_off++] & 0xff; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 8L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 16L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 24L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 32L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 40L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 48L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 56L; | ||||
| 		return Double.longBitsToDouble(result); | ||||
| 	} | ||||
| 	 | ||||
| 	public String readS() | ||||
| 	{ | ||||
| 		String result = null; | ||||
| 		try | ||||
| 		{ | ||||
| 			result = new String(_decrypt, _off, _decrypt.length - _off, "UTF-16LE"); | ||||
| 			result = result.substring(0, result.indexOf(0x00)); | ||||
| 			_off += (result.length() * 2) + 2; | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			_log.warning(getClass().getSimpleName() + ": " + e.getMessage()); | ||||
| 		} | ||||
| 		 | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public final byte[] readB(int length) | ||||
| 	{ | ||||
| 		final byte[] result = new byte[length]; | ||||
| 		System.arraycopy(_decrypt, _off, result, 0, length); | ||||
| 		_off += length; | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public long readQ() | ||||
| 	{ | ||||
| 		long result = _decrypt[_off++] & 0xff; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 8L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 16L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 24L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 32L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 40L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 48L; | ||||
| 		result |= (_decrypt[_off++] & 0xffL) << 56L; | ||||
| 		return result; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,137 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.commons.util.network; | ||||
|  | ||||
| import java.io.ByteArrayOutputStream; | ||||
| import java.io.IOException; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| /** | ||||
|  * This class ... | ||||
|  * @version $Revision: 1.2.4.1 $ $Date: 2005/03/27 15:30:11 $ | ||||
|  */ | ||||
| public abstract class BaseSendablePacket | ||||
| { | ||||
| 	private static final Logger _log = Logger.getLogger(BaseSendablePacket.class.getName()); | ||||
| 	 | ||||
| 	private final ByteArrayOutputStream _bao; | ||||
| 	 | ||||
| 	protected BaseSendablePacket() | ||||
| 	{ | ||||
| 		_bao = new ByteArrayOutputStream(); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeD(int value) | ||||
| 	{ | ||||
| 		_bao.write(value & 0xff); | ||||
| 		_bao.write((value >> 8) & 0xff); | ||||
| 		_bao.write((value >> 16) & 0xff); | ||||
| 		_bao.write((value >> 24) & 0xff); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeH(int value) | ||||
| 	{ | ||||
| 		_bao.write(value & 0xff); | ||||
| 		_bao.write((value >> 8) & 0xff); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeC(int value) | ||||
| 	{ | ||||
| 		_bao.write(value & 0xff); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeF(double org) | ||||
| 	{ | ||||
| 		final long value = Double.doubleToRawLongBits(org); | ||||
| 		_bao.write((int) (value & 0xff)); | ||||
| 		_bao.write((int) ((value >> 8) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 16) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 24) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 32) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 40) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 48) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 56) & 0xff)); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeS(String text) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			if (text != null) | ||||
| 			{ | ||||
| 				_bao.write(text.getBytes("UTF-16LE")); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			_log.warning(getClass().getSimpleName() + ": " + e.getMessage()); | ||||
| 		} | ||||
| 		 | ||||
| 		_bao.write(0); | ||||
| 		_bao.write(0); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeB(byte[] array) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			_bao.write(array); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 			_log.warning(getClass().getSimpleName() + ": " + e.getMessage()); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	protected void writeQ(long value) | ||||
| 	{ | ||||
| 		_bao.write((int) (value & 0xff)); | ||||
| 		_bao.write((int) ((value >> 8) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 16) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 24) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 32) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 40) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 48) & 0xff)); | ||||
| 		_bao.write((int) ((value >> 56) & 0xff)); | ||||
| 	} | ||||
| 	 | ||||
| 	public int getLength() | ||||
| 	{ | ||||
| 		return _bao.size() + 2; | ||||
| 	} | ||||
| 	 | ||||
| 	public byte[] getBytes() | ||||
| 	{ | ||||
| 		// if (this instanceof Init) | ||||
| 		// writeD(0x00); // reserve for XOR initial key | ||||
| 		 | ||||
| 		writeD(0x00); // reserve for checksum | ||||
| 		 | ||||
| 		final int padding = _bao.size() % 8; | ||||
| 		if (padding != 0) | ||||
| 		{ | ||||
| 			for (int i = padding; i < 8; i++) | ||||
| 			{ | ||||
| 				writeC(0x00); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		return _bao.toByteArray(); | ||||
| 	} | ||||
| 	 | ||||
| 	public abstract byte[] getContent() throws IOException; | ||||
| } | ||||
| @@ -0,0 +1,111 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.gameserver.model.L2Clan; | ||||
| import com.l2jmobius.gameserver.model.entity.Fort; | ||||
| import com.l2jmobius.gameserver.model.itemcontainer.Inventory; | ||||
|  | ||||
| /** | ||||
|  * Class managing periodical events with castle | ||||
|  * @author Vice - 2008 | ||||
|  */ | ||||
| public class FortUpdater implements Runnable | ||||
| { | ||||
| 	protected static Logger LOGGER = Logger.getLogger(FortUpdater.class.getName()); | ||||
| 	private final L2Clan _clan; | ||||
| 	private final Fort _fort; | ||||
| 	private int _runCount; | ||||
| 	private final UpdaterType _updaterType; | ||||
| 	 | ||||
| 	public enum UpdaterType | ||||
| 	{ | ||||
| 		MAX_OWN_TIME, // gives fort back to NPC clan | ||||
| 		PERIODIC_UPDATE // raise blood oath/supply level | ||||
| 	} | ||||
| 	 | ||||
| 	public FortUpdater(Fort fort, L2Clan clan, int runCount, UpdaterType ut) | ||||
| 	{ | ||||
| 		_fort = fort; | ||||
| 		_clan = clan; | ||||
| 		_runCount = runCount; | ||||
| 		_updaterType = ut; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			switch (_updaterType) | ||||
| 			{ | ||||
| 				case PERIODIC_UPDATE: | ||||
| 				{ | ||||
| 					_runCount++; | ||||
| 					if ((_fort.getOwnerClan() == null) || (_fort.getOwnerClan() != _clan)) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 					 | ||||
| 					_fort.getOwnerClan().increaseBloodOathCount(); | ||||
| 					 | ||||
| 					if (_fort.getFortState() == 2) | ||||
| 					{ | ||||
| 						if (_clan.getWarehouse().getAdena() >= Config.FS_FEE_FOR_CASTLE) | ||||
| 						{ | ||||
| 							_clan.getWarehouse().destroyItemByItemId("FS_fee_for_Castle", Inventory.ADENA_ID, Config.FS_FEE_FOR_CASTLE, null, null); | ||||
| 							_fort.getContractedCastle().addToTreasuryNoTax(Config.FS_FEE_FOR_CASTLE); | ||||
| 							_fort.raiseSupplyLvL(); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							_fort.setFortState(1, 0); | ||||
| 						} | ||||
| 					} | ||||
| 					_fort.saveFortVariables(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case MAX_OWN_TIME: | ||||
| 				{ | ||||
| 					if ((_fort.getOwnerClan() == null) || (_fort.getOwnerClan() != _clan)) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 					if (_fort.getOwnedTime() > (Config.FS_MAX_OWN_TIME * 3600)) | ||||
| 					{ | ||||
| 						_fort.removeOwner(true); | ||||
| 						_fort.setFortState(0, 0); | ||||
| 					} | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public int getRunCount() | ||||
| 	{ | ||||
| 		return _runCount; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,496 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.awt.Toolkit; | ||||
| import java.io.File; | ||||
| import java.io.FileInputStream; | ||||
| import java.io.InputStream; | ||||
| import java.lang.management.ManagementFactory; | ||||
| import java.time.Duration; | ||||
| import java.util.Calendar; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.LogManager; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.Server; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.commons.util.DeadLockDetector; | ||||
| import com.l2jmobius.gameserver.cache.HtmCache; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.AnnouncementsTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.CharNameTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.CharSummonTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.ClanTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.CrestTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.OfflineTradersTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.TeleportLocationTable; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.AbilityPointsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ActionData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.AdminData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.AlchemyData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.AppearanceItemData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ArmorSetsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.BeautyShopData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.BuyListData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.CategoryData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ClanHallData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ClanRewardData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ClassListData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.CubicData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.DailyMissionData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.DoorData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnchantItemData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnchantItemGroupsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnchantItemHPBonusData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnchantItemOptionsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnchantSkillGroupsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EnsoulData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.EventEngineData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ExperienceData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ExtendDropData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.FishingData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.HennaData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.HitConditionBonusData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.InitialEquipmentData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.InitialShortcutData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ItemCrystalizationData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.KarmaData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.LuckyGameData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.MultisellData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.NpcData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.OptionData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PetDataTable; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PlayerTemplateData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PlayerXpPercentLostData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PrimeShopData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.RecipeData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ResidenceFunctionsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SayuneData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SecondaryAuthData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ShuttleData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SiegeScheduleData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SkillData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SkillLearnData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SkillTreesData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SpawnsData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.StaticObjectData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PetSkillData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.TeleportersData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.TransformData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.UIData; | ||||
| import com.l2jmobius.gameserver.datatables.AugmentationData; | ||||
| import com.l2jmobius.gameserver.datatables.BotReportTable; | ||||
| import com.l2jmobius.gameserver.datatables.EventDroplist; | ||||
| import com.l2jmobius.gameserver.datatables.ItemTable; | ||||
| import com.l2jmobius.gameserver.geoengine.GeoEngine; | ||||
| import com.l2jmobius.gameserver.handler.ConditionHandler; | ||||
| import com.l2jmobius.gameserver.handler.DailyMissionHandler; | ||||
| import com.l2jmobius.gameserver.handler.EffectHandler; | ||||
| import com.l2jmobius.gameserver.handler.SkillConditionHandler; | ||||
| import com.l2jmobius.gameserver.idfactory.IdFactory; | ||||
| import com.l2jmobius.gameserver.instancemanager.AirShipManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.AntiFeedManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.BoatManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CastleManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CastleManorManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ClanEntryManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ClanHallAuctionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CommissionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CursedWeaponsManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.DBSpawnManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.FactionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.FortManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.FortSiegeManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.GlobalVariablesManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.GraciaSeedsManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.GrandBossManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.InstanceManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ItemAuctionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ItemsOnGroundManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.MailManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.MapRegionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.MatchingRoomManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.MentorManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.PcCafePointsManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.PetitionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.PremiumManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.PunishmentManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.QuestManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.SellBuffsManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ServerRestartManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.SiegeGuardManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.SiegeManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.WalkingManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ZoneManager; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.entity.Hero; | ||||
| import com.l2jmobius.gameserver.model.events.EventDispatcher; | ||||
| import com.l2jmobius.gameserver.model.olympiad.Olympiad; | ||||
| import com.l2jmobius.gameserver.model.votereward.VoteSystem; | ||||
| import com.l2jmobius.gameserver.network.ClientNetworkManager; | ||||
| import com.l2jmobius.gameserver.network.loginserver.LoginServerNetworkManager; | ||||
| import com.l2jmobius.gameserver.network.telnet.TelnetServer; | ||||
| import com.l2jmobius.gameserver.scripting.ScriptEngineManager; | ||||
| import com.l2jmobius.gameserver.taskmanager.TaskManager; | ||||
| import com.l2jmobius.gameserver.util.Broadcast; | ||||
|  | ||||
| public class GameServer | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(GameServer.class.getName()); | ||||
| 	 | ||||
| 	// Local Constants | ||||
| 	private static final String LOG_FOLDER = "log"; // Name of folder for log file | ||||
| 	private static final String LOG_NAME = "./log.cfg"; // Name of log file | ||||
| 	 | ||||
| 	private final DeadLockDetector _deadDetectThread; | ||||
| 	private static GameServer INSTANCE; | ||||
| 	public static final Calendar dateTimeServerStarted = Calendar.getInstance(); | ||||
| 	 | ||||
| 	public long getUsedMemoryMB() | ||||
| 	{ | ||||
| 		return (Runtime.getRuntime().totalMemory() - Runtime.getRuntime().freeMemory()) / 1048576; | ||||
| 	} | ||||
| 	 | ||||
| 	public DeadLockDetector getDeadLockDetectorThread() | ||||
| 	{ | ||||
| 		return _deadDetectThread; | ||||
| 	} | ||||
| 	 | ||||
| 	public GameServer() throws Exception | ||||
| 	{ | ||||
| 		final long serverLoadStart = System.currentTimeMillis(); | ||||
| 		 | ||||
| 		if (!IdFactory.getInstance().isInitialized()) | ||||
| 		{ | ||||
| 			LOGGER.severe(getClass().getSimpleName() + ": Could not read object IDs from database. Please check your configuration."); | ||||
| 			throw new Exception("Could not initialize the ID factory"); | ||||
| 		} | ||||
| 		 | ||||
| 		printSection("ThreadPool"); | ||||
| 		ThreadPoolManager.init(); | ||||
| 		EventDispatcher.getInstance(); | ||||
| 		 | ||||
| 		// load script engines | ||||
| 		printSection("Scripting Engines"); | ||||
| 		ScriptEngineManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Telnet"); | ||||
| 		TelnetServer.getInstance(); | ||||
| 		 | ||||
| 		printSection("World"); | ||||
| 		// start game time control early | ||||
| 		GameTimeController.init(); | ||||
| 		L2World.getInstance(); | ||||
| 		MapRegionManager.getInstance(); | ||||
| 		ZoneManager.getInstance(); | ||||
| 		DoorData.getInstance(); | ||||
| 		AnnouncementsTable.getInstance(); | ||||
| 		GlobalVariablesManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Data"); | ||||
| 		ActionData.getInstance(); | ||||
| 		CategoryData.getInstance(); | ||||
| 		SecondaryAuthData.getInstance(); | ||||
| 		AbilityPointsData.getInstance(); | ||||
| 		SayuneData.getInstance(); | ||||
| 		ClanRewardData.getInstance(); | ||||
| 		DailyMissionHandler.getInstance().executeScript(); | ||||
| 		DailyMissionData.getInstance(); | ||||
| 		 | ||||
| 		printSection("Skills"); | ||||
| 		SkillConditionHandler.getInstance().executeScript(); | ||||
| 		EffectHandler.getInstance().executeScript(); | ||||
| 		EnchantSkillGroupsData.getInstance(); | ||||
| 		SkillTreesData.getInstance(); | ||||
| 		SkillData.getInstance(); | ||||
| 		PetSkillData.getInstance(); | ||||
| 		 | ||||
| 		printSection("Items"); | ||||
| 		ConditionHandler.getInstance().executeScript(); | ||||
| 		ItemTable.getInstance(); | ||||
| 		EnchantItemGroupsData.getInstance(); | ||||
| 		EnchantItemData.getInstance(); | ||||
| 		EnchantItemOptionsData.getInstance(); | ||||
| 		ItemCrystalizationData.getInstance(); | ||||
| 		OptionData.getInstance(); | ||||
| 		AugmentationData.getInstance(); | ||||
| 		EnsoulData.getInstance(); | ||||
| 		EnchantItemHPBonusData.getInstance(); | ||||
| 		BuyListData.getInstance(); | ||||
| 		MultisellData.getInstance(); | ||||
| 		RecipeData.getInstance(); | ||||
| 		ArmorSetsData.getInstance(); | ||||
| 		FishingData.getInstance(); | ||||
| 		HennaData.getInstance(); | ||||
| 		PrimeShopData.getInstance(); | ||||
| 		PcCafePointsManager.getInstance(); | ||||
| 		AppearanceItemData.getInstance(); | ||||
| 		AlchemyData.getInstance(); | ||||
| 		CommissionManager.getInstance(); | ||||
| 		LuckyGameData.getInstance(); | ||||
| 		 | ||||
| 		printSection("Characters"); | ||||
| 		ClassListData.getInstance(); | ||||
| 		InitialEquipmentData.getInstance(); | ||||
| 		InitialShortcutData.getInstance(); | ||||
| 		ExperienceData.getInstance(); | ||||
| 		PlayerXpPercentLostData.getInstance(); | ||||
| 		KarmaData.getInstance(); | ||||
| 		HitConditionBonusData.getInstance(); | ||||
| 		PlayerTemplateData.getInstance(); | ||||
| 		CharNameTable.getInstance(); | ||||
| 		AdminData.getInstance(); | ||||
| 		PetDataTable.getInstance(); | ||||
| 		CubicData.getInstance(); | ||||
| 		CharSummonTable.getInstance().init(); | ||||
| 		BeautyShopData.getInstance(); | ||||
| 		MentorManager.getInstance(); | ||||
| 		 | ||||
| 		if (Config.FACTION_SYSTEM_ENABLED) | ||||
| 		{ | ||||
| 			FactionManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.PREMIUM_SYSTEM_ENABLED) | ||||
| 		{ | ||||
| 			PremiumManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		printSection("Clans"); | ||||
| 		ClanTable.getInstance(); | ||||
| 		ResidenceFunctionsData.getInstance(); | ||||
| 		ClanHallData.getInstance(); | ||||
| 		ClanHallAuctionManager.getInstance(); | ||||
| 		ClanEntryManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Geodata"); | ||||
| 		long geodataMemory = getUsedMemoryMB(); | ||||
| 		GeoEngine.getInstance(); | ||||
| 		geodataMemory = getUsedMemoryMB() - geodataMemory; | ||||
| 		if (geodataMemory < 0) | ||||
| 		{ | ||||
| 			geodataMemory = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		printSection("NPCs"); | ||||
| 		SkillLearnData.getInstance(); | ||||
| 		NpcData.getInstance(); | ||||
| 		ExtendDropData.getInstance(); | ||||
| 		SpawnsData.getInstance(); | ||||
| 		WalkingManager.getInstance(); | ||||
| 		StaticObjectData.getInstance(); | ||||
| 		ItemAuctionManager.getInstance(); | ||||
| 		CastleManager.getInstance().loadInstances(); | ||||
| 		GrandBossManager.getInstance(); | ||||
| 		EventDroplist.getInstance(); | ||||
| 		CommissionManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Instance"); | ||||
| 		InstanceManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Olympiad"); | ||||
| 		Olympiad.getInstance(); | ||||
| 		Hero.getInstance(); | ||||
| 		 | ||||
| 		// Call to load caches | ||||
| 		printSection("Cache"); | ||||
| 		HtmCache.getInstance(); | ||||
| 		CrestTable.getInstance(); | ||||
| 		TeleportLocationTable.getInstance(); | ||||
| 		TeleportersData.getInstance(); | ||||
| 		UIData.getInstance(); | ||||
| 		MatchingRoomManager.getInstance(); | ||||
| 		PetitionManager.getInstance(); | ||||
| 		CursedWeaponsManager.getInstance(); | ||||
| 		TransformData.getInstance(); | ||||
| 		BotReportTable.getInstance(); | ||||
| 		if (Config.SELLBUFF_ENABLED) | ||||
| 		{ | ||||
| 			SellBuffsManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		printSection("Scripts"); | ||||
| 		QuestManager.getInstance(); | ||||
| 		BoatManager.getInstance(); | ||||
| 		AirShipManager.getInstance(); | ||||
| 		ShuttleData.getInstance(); | ||||
| 		GraciaSeedsManager.getInstance(); | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": Loading server scripts:"); | ||||
| 			ScriptEngineManager.getInstance().executeMasterHandler(); | ||||
| 			ScriptEngineManager.getInstance().executeScriptList(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Failed to execute script list!", e); | ||||
| 		} | ||||
| 		 | ||||
| 		SpawnsData.getInstance().init(); | ||||
| 		DBSpawnManager.getInstance(); | ||||
| 		 | ||||
| 		printSection("Event Engine"); | ||||
| 		EventEngineData.getInstance(); | ||||
| 		VoteSystem.initialize(); | ||||
| 		 | ||||
| 		printSection("Siege"); | ||||
| 		SiegeManager.getInstance().getSieges(); | ||||
| 		CastleManager.getInstance().activateInstances(); | ||||
| 		FortManager.getInstance().loadInstances(); | ||||
| 		FortManager.getInstance().activateInstances(); | ||||
| 		FortSiegeManager.getInstance(); | ||||
| 		SiegeScheduleData.getInstance(); | ||||
| 		 | ||||
| 		CastleManorManager.getInstance(); | ||||
| 		SiegeGuardManager.getInstance(); | ||||
| 		QuestManager.getInstance().report(); | ||||
| 		 | ||||
| 		if (Config.SAVE_DROPPED_ITEM) | ||||
| 		{ | ||||
| 			ItemsOnGroundManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		if ((Config.AUTODESTROY_ITEM_AFTER > 0) || (Config.HERB_AUTO_DESTROY_TIME > 0)) | ||||
| 		{ | ||||
| 			ItemsAutoDestroy.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.ALLOW_RACE) | ||||
| 		{ | ||||
| 			MonsterRace.getInstance(); | ||||
| 		} | ||||
| 		TaskManager.getInstance(); | ||||
| 		 | ||||
| 		AntiFeedManager.getInstance().registerEvent(AntiFeedManager.GAME_ID); | ||||
| 		 | ||||
| 		if (Config.ALLOW_MAIL) | ||||
| 		{ | ||||
| 			MailManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		PunishmentManager.getInstance(); | ||||
| 		 | ||||
| 		Runtime.getRuntime().addShutdownHook(Shutdown.getInstance()); | ||||
| 		 | ||||
| 		LOGGER.info("IdFactory: Free ObjectID's remaining: " + IdFactory.getInstance().size()); | ||||
| 		 | ||||
| 		if ((Config.OFFLINE_TRADE_ENABLE || Config.OFFLINE_CRAFT_ENABLE) && Config.RESTORE_OFFLINERS) | ||||
| 		{ | ||||
| 			OfflineTradersTable.getInstance().restoreOfflineTraders(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.SERVER_RESTART_SCHEDULE_ENABLED) | ||||
| 		{ | ||||
| 			ServerRestartManager.getInstance(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.DEADLOCK_DETECTOR) | ||||
| 		{ | ||||
| 			_deadDetectThread = new DeadLockDetector(Duration.ofSeconds(Config.DEADLOCK_CHECK_INTERVAL), () -> | ||||
| 			{ | ||||
| 				if (Config.RESTART_ON_DEADLOCK) | ||||
| 				{ | ||||
| 					Broadcast.toAllOnlinePlayers("Server has stability issues - restarting now."); | ||||
| 					Shutdown.getInstance().startTelnetShutdown("DeadLockDetector - Auto Restart", 60, true); | ||||
| 				} | ||||
| 			}); | ||||
| 			_deadDetectThread.setDaemon(true); | ||||
| 			_deadDetectThread.start(); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_deadDetectThread = null; | ||||
| 		} | ||||
| 		System.gc(); | ||||
| 		final long totalMem = Runtime.getRuntime().maxMemory() / 1048576; | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Started, using " + getUsedMemoryMB() + " of " + totalMem + " MB total memory."); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Geodata use " + geodataMemory + " MB of memory."); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Maximum number of connected players is " + Config.MAXIMUM_ONLINE_USERS + "."); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Server loaded in " + ((System.currentTimeMillis() - serverLoadStart) / 1000) + " seconds."); | ||||
| 		 | ||||
| 		ClientNetworkManager.getInstance().start(); | ||||
| 		 | ||||
| 		if (Boolean.getBoolean("newLoginServer")) | ||||
| 		{ | ||||
| 			LoginServerNetworkManager.getInstance().connect(); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			LoginServerThread.getInstance().start(); | ||||
| 		} | ||||
| 		 | ||||
| 		Toolkit.getDefaultToolkit().beep(); | ||||
| 	} | ||||
| 	 | ||||
| 	public long getStartedTime() | ||||
| 	{ | ||||
| 		return ManagementFactory.getRuntimeMXBean().getStartTime(); | ||||
| 	} | ||||
| 	 | ||||
| 	public String getUptime() | ||||
| 	{ | ||||
| 		final long uptime = ManagementFactory.getRuntimeMXBean().getUptime() / 1000; | ||||
| 		final long hours = uptime / 3600; | ||||
| 		final long mins = (uptime - (hours * 3600)) / 60; | ||||
| 		final long secs = ((uptime - (hours * 3600)) - (mins * 60)); | ||||
| 		if (hours > 0) | ||||
| 		{ | ||||
| 			return hours + "hrs " + mins + "mins " + secs + "secs"; | ||||
| 		} | ||||
| 		return mins + "mins " + secs + "secs"; | ||||
| 	} | ||||
| 	 | ||||
| 	public static void main(String[] args) throws Exception | ||||
| 	{ | ||||
| 		Server.serverMode = Server.MODE_GAMESERVER; | ||||
| 		 | ||||
| 		/*** Main ***/ | ||||
| 		// Create log folder | ||||
| 		final File logFolder = new File(".", LOG_FOLDER); | ||||
| 		logFolder.mkdir(); | ||||
| 		 | ||||
| 		// Create input stream for log file -- or store file data into memory | ||||
| 		try (InputStream is = new FileInputStream(new File(LOG_NAME))) | ||||
| 		{ | ||||
| 			LogManager.getLogManager().readConfiguration(is); | ||||
| 		} | ||||
| 		 | ||||
| 		// Initialize config | ||||
| 		Config.load(); | ||||
| 		printSection("Database"); | ||||
| 		DatabaseFactory.getInstance(); | ||||
| 		 | ||||
| 		INSTANCE = new GameServer(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static void printSection(String s) | ||||
| 	{ | ||||
| 		s = "=[ " + s + " ]"; | ||||
| 		while (s.length() < 61) | ||||
| 		{ | ||||
| 			s = "-" + s; | ||||
| 		} | ||||
| 		LOGGER.info(s); | ||||
| 	} | ||||
| 	 | ||||
| 	public static GameServer getInstance() | ||||
| 	{ | ||||
| 		return INSTANCE; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,185 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.Calendar; | ||||
| import java.util.Set; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.events.EventDispatcher; | ||||
| import com.l2jmobius.gameserver.model.events.impl.OnDayNightChange; | ||||
|  | ||||
| /** | ||||
|  * Game Time controller class. | ||||
|  * @author Forsaiken | ||||
|  */ | ||||
| public final class GameTimeController extends Thread | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(GameTimeController.class.getName()); | ||||
| 	 | ||||
| 	public static final int TICKS_PER_SECOND = 10; // not able to change this without checking through code | ||||
| 	public static final int MILLIS_IN_TICK = 1000 / TICKS_PER_SECOND; | ||||
| 	public static final int IG_DAYS_PER_DAY = 6; | ||||
| 	public static final int MILLIS_PER_IG_DAY = (3600000 * 24) / IG_DAYS_PER_DAY; | ||||
| 	public static final int SECONDS_PER_IG_DAY = MILLIS_PER_IG_DAY / 1000; | ||||
| 	public static final int MINUTES_PER_IG_DAY = SECONDS_PER_IG_DAY / 60; | ||||
| 	public static final int TICKS_PER_IG_DAY = SECONDS_PER_IG_DAY * TICKS_PER_SECOND; | ||||
| 	public static final int TICKS_SUN_STATE_CHANGE = TICKS_PER_IG_DAY / 4; | ||||
| 	 | ||||
| 	private static GameTimeController _instance; | ||||
| 	 | ||||
| 	private final Set<L2Character> _movingObjects = ConcurrentHashMap.newKeySet(); | ||||
| 	private final long _referenceTime; | ||||
| 	 | ||||
| 	private GameTimeController() | ||||
| 	{ | ||||
| 		super("GameTimeController"); | ||||
| 		super.setDaemon(true); | ||||
| 		super.setPriority(MAX_PRIORITY); | ||||
| 		 | ||||
| 		final Calendar c = Calendar.getInstance(); | ||||
| 		c.set(Calendar.HOUR_OF_DAY, 0); | ||||
| 		c.set(Calendar.MINUTE, 0); | ||||
| 		c.set(Calendar.SECOND, 0); | ||||
| 		c.set(Calendar.MILLISECOND, 0); | ||||
| 		_referenceTime = c.getTimeInMillis(); | ||||
| 		 | ||||
| 		super.start(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static void init() | ||||
| 	{ | ||||
| 		_instance = new GameTimeController(); | ||||
| 	} | ||||
| 	 | ||||
| 	public final int getGameTime() | ||||
| 	{ | ||||
| 		return (getGameTicks() % TICKS_PER_IG_DAY) / MILLIS_IN_TICK; | ||||
| 	} | ||||
| 	 | ||||
| 	public final int getGameHour() | ||||
| 	{ | ||||
| 		return getGameTime() / 60; | ||||
| 	} | ||||
| 	 | ||||
| 	public final int getGameMinute() | ||||
| 	{ | ||||
| 		return getGameTime() % 60; | ||||
| 	} | ||||
| 	 | ||||
| 	public final boolean isNight() | ||||
| 	{ | ||||
| 		return getGameHour() < 6; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * The true GameTime tick. Directly taken from current time. This represents the tick of the time. | ||||
| 	 * @return | ||||
| 	 */ | ||||
| 	public final int getGameTicks() | ||||
| 	{ | ||||
| 		return (int) ((System.currentTimeMillis() - _referenceTime) / MILLIS_IN_TICK); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Add a L2Character to movingObjects of GameTimeController. | ||||
| 	 * @param cha The L2Character to add to movingObjects of GameTimeController | ||||
| 	 */ | ||||
| 	public final void registerMovingObject(L2Character cha) | ||||
| 	{ | ||||
| 		if (cha == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_movingObjects.add(cha); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Move all L2Characters contained in movingObjects of GameTimeController.<BR> | ||||
| 	 * <B><U> Concept</U> :</B><BR> | ||||
| 	 * All L2Character in movement are identified in <B>movingObjects</B> of GameTimeController.<BR> | ||||
| 	 * <B><U> Actions</U> :</B><BR> | ||||
| 	 * <ul> | ||||
| 	 * <li>Update the position of each L2Character</li> | ||||
| 	 * <li>If movement is finished, the L2Character is removed from movingObjects</li> | ||||
| 	 * <li>Create a task to update the _knownObject and _knowPlayers of each L2Character that finished its movement and of their already known L2Object then notify AI with EVT_ARRIVED</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	private void moveObjects() | ||||
| 	{ | ||||
| 		_movingObjects.removeIf(L2Character::updatePosition); | ||||
| 	} | ||||
| 	 | ||||
| 	public final void stopTimer() | ||||
| 	{ | ||||
| 		super.interrupt(); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Stopped."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public final void run() | ||||
| 	{ | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Started."); | ||||
| 		 | ||||
| 		long nextTickTime, sleepTime; | ||||
| 		boolean isNight = isNight(); | ||||
| 		 | ||||
| 		EventDispatcher.getInstance().notifyEventAsync(new OnDayNightChange(isNight)); | ||||
| 		 | ||||
| 		while (true) | ||||
| 		{ | ||||
| 			nextTickTime = ((System.currentTimeMillis() / MILLIS_IN_TICK) * MILLIS_IN_TICK) + 100; | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				moveObjects(); | ||||
| 			} | ||||
| 			catch (Throwable e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, getClass().getSimpleName(), e); | ||||
| 			} | ||||
| 			 | ||||
| 			sleepTime = nextTickTime - System.currentTimeMillis(); | ||||
| 			if (sleepTime > 0) | ||||
| 			{ | ||||
| 				try | ||||
| 				{ | ||||
| 					Thread.sleep(sleepTime); | ||||
| 				} | ||||
| 				catch (InterruptedException e) | ||||
| 				{ | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (isNight() != isNight) | ||||
| 			{ | ||||
| 				isNight = !isNight; | ||||
| 				 | ||||
| 				EventDispatcher.getInstance().notifyEventAsync(new OnDayNightChange(isNight)); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static GameTimeController getInstance() | ||||
| 	{ | ||||
| 		return _instance; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,40 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| /** | ||||
|  * Interface for managers of list of instances. | ||||
|  * @author fordfrog | ||||
|  */ | ||||
| public interface InstanceListManager | ||||
| { | ||||
| 	/** | ||||
| 	 * Loads instances with their data from persistent format.<br> | ||||
| 	 * This method has no side effect as calling methods of another instance manager. | ||||
| 	 */ | ||||
| 	void loadInstances(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * For each loaded instance, updates references to related instances. | ||||
| 	 */ | ||||
| 	void updateReferences(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Activates instances so their setup is performed. | ||||
| 	 */ | ||||
| 	void activateInstances(); | ||||
| } | ||||
| @@ -0,0 +1,98 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.Iterator; | ||||
| import java.util.LinkedList; | ||||
| import java.util.List; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.gameserver.enums.ItemLocation; | ||||
| import com.l2jmobius.gameserver.instancemanager.ItemsOnGroundManager; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
|  | ||||
| public final class ItemsAutoDestroy | ||||
| { | ||||
| 	private final List<L2ItemInstance> _items = new LinkedList<>(); | ||||
| 	 | ||||
| 	protected ItemsAutoDestroy() | ||||
| 	{ | ||||
| 		ThreadPoolManager.scheduleAtFixedRate(this::removeItems, 5000, 5000); | ||||
| 	} | ||||
| 	 | ||||
| 	public static ItemsAutoDestroy getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	public synchronized void addItem(L2ItemInstance item) | ||||
| 	{ | ||||
| 		item.setDropTime(System.currentTimeMillis()); | ||||
| 		_items.add(item); | ||||
| 	} | ||||
| 	 | ||||
| 	public synchronized void removeItems() | ||||
| 	{ | ||||
| 		if (_items.isEmpty()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final long curtime = System.currentTimeMillis(); | ||||
| 		final Iterator<L2ItemInstance> itemIterator = _items.iterator(); | ||||
| 		while (itemIterator.hasNext()) | ||||
| 		{ | ||||
| 			final L2ItemInstance item = itemIterator.next(); | ||||
| 			if ((item.getDropTime() == 0) || (item.getItemLocation() != ItemLocation.VOID)) | ||||
| 			{ | ||||
| 				itemIterator.remove(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final long autoDestroyTime; | ||||
| 				if (item.getItem().getAutoDestroyTime() > 0) | ||||
| 				{ | ||||
| 					autoDestroyTime = item.getItem().getAutoDestroyTime(); | ||||
| 				} | ||||
| 				else if (item.getItem().hasExImmediateEffect()) | ||||
| 				{ | ||||
| 					autoDestroyTime = Config.HERB_AUTO_DESTROY_TIME; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					autoDestroyTime = ((Config.AUTODESTROY_ITEM_AFTER == 0) ? 3600000 : Config.AUTODESTROY_ITEM_AFTER * 1000); | ||||
| 				} | ||||
| 				 | ||||
| 				if ((curtime - item.getDropTime()) > autoDestroyTime) | ||||
| 				{ | ||||
| 					item.decayMe(); | ||||
| 					itemIterator.remove(); | ||||
| 					if (Config.SAVE_DROPPED_ITEM) | ||||
| 					{ | ||||
| 						ItemsOnGroundManager.getInstance().removeObject(item); | ||||
| 					} | ||||
| 				} | ||||
| 				 | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ItemsAutoDestroy _instance = new ItemsAutoDestroy(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,841 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.io.BufferedOutputStream; | ||||
| import java.io.IOException; | ||||
| import java.io.InputStream; | ||||
| import java.io.OutputStream; | ||||
| import java.math.BigInteger; | ||||
| import java.net.Socket; | ||||
| import java.net.SocketException; | ||||
| import java.net.UnknownHostException; | ||||
| import java.security.GeneralSecurityException; | ||||
| import java.security.KeyFactory; | ||||
| import java.security.interfaces.RSAPublicKey; | ||||
| import java.security.spec.RSAKeyGenParameterSpec; | ||||
| import java.security.spec.RSAPublicKeySpec; | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.SQLException; | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.Set; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.commons.util.CommonUtil; | ||||
| import com.l2jmobius.commons.util.crypt.NewCrypt; | ||||
| import com.l2jmobius.commons.util.network.BaseSendablePacket; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.network.ConnectionState; | ||||
| import com.l2jmobius.gameserver.network.L2GameClient; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.AuthRequest; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.BlowFishKey; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.ChangeAccessLevel; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.ChangePassword; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.PlayerAuthRequest; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.PlayerInGame; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.PlayerLogout; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.PlayerTracert; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.ReplyCharacters; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.SendMail; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.ServerStatus; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.TempBan; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.AuthResponse; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.ChangePasswordResponse; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.InitLS; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.KickPlayer; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.LoginServerFail; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.PlayerAuthResponse; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.login.RequestCharacters; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.CharSelectionInfo; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.LoginFail; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SystemMessage; | ||||
|  | ||||
| public class LoginServerThread extends Thread | ||||
| { | ||||
| 	protected static final Logger LOGGER = Logger.getLogger(LoginServerThread.class.getName()); | ||||
| 	protected static final Logger ACCOUNTING_LOGGER = Logger.getLogger("accounting"); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @see com.l2jmobius.loginserver.L2LoginServer#PROTOCOL_REV | ||||
| 	 */ | ||||
| 	private static final int REVISION = 0x0106; | ||||
| 	private final String _hostname; | ||||
| 	private final int _port; | ||||
| 	private final int _gamePort; | ||||
| 	private Socket _loginSocket; | ||||
| 	private OutputStream _out; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * The BlowFish engine used to encrypt packets<br> | ||||
| 	 * It is first initialized with a unified key:<br> | ||||
| 	 * "_;v.]05-31!|+-%xT!^[$\00"<br> | ||||
| 	 * <br> | ||||
| 	 * and then after handshake, with a new key sent by<br> | ||||
| 	 * login server during the handshake. This new key is stored<br> | ||||
| 	 * in blowfishKey | ||||
| 	 */ | ||||
| 	private NewCrypt _blowfish; | ||||
| 	private byte[] _hexID; | ||||
| 	private final boolean _acceptAlternate; | ||||
| 	private int _requestID; | ||||
| 	private final boolean _reserveHost; | ||||
| 	private int _maxPlayer; | ||||
| 	private final Set<WaitingClient> _waitingClients = ConcurrentHashMap.newKeySet(); | ||||
| 	private final Map<String, L2GameClient> _accountsInGameServer = new ConcurrentHashMap<>(); | ||||
| 	private int _status; | ||||
| 	private String _serverName; | ||||
| 	private final List<String> _subnets; | ||||
| 	private final List<String> _hosts; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Instantiates a new login server thread. | ||||
| 	 */ | ||||
| 	protected LoginServerThread() | ||||
| 	{ | ||||
| 		super("LoginServerThread"); | ||||
| 		_port = Config.GAME_SERVER_LOGIN_PORT; | ||||
| 		_gamePort = Config.PORT_GAME; | ||||
| 		_hostname = Config.GAME_SERVER_LOGIN_HOST; | ||||
| 		_hexID = Config.HEX_ID; | ||||
| 		if (_hexID == null) | ||||
| 		{ | ||||
| 			_requestID = Config.REQUEST_ID; | ||||
| 			_hexID = CommonUtil.generateHex(16); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_requestID = Config.SERVER_ID; | ||||
| 		} | ||||
| 		_acceptAlternate = Config.ACCEPT_ALTERNATE_ID; | ||||
| 		_reserveHost = Config.RESERVE_HOST_ON_LOGIN; | ||||
| 		_subnets = Config.GAME_SERVER_SUBNETS; | ||||
| 		_hosts = Config.GAME_SERVER_HOSTS; | ||||
| 		_maxPlayer = Config.MAXIMUM_ONLINE_USERS; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of LoginServerThread. | ||||
| 	 * @return single instance of LoginServerThread | ||||
| 	 */ | ||||
| 	public static LoginServerThread getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		while (!isInterrupted()) | ||||
| 		{ | ||||
| 			int lengthHi = 0; | ||||
| 			int lengthLo = 0; | ||||
| 			int length = 0; | ||||
| 			boolean checksumOk = false; | ||||
| 			try | ||||
| 			{ | ||||
| 				// Connection | ||||
| 				LOGGER.info(getClass().getSimpleName() + ": Connecting to login on " + _hostname + ":" + _port); | ||||
| 				_loginSocket = new Socket(_hostname, _port); | ||||
| 				final InputStream in = _loginSocket.getInputStream(); | ||||
| 				_out = new BufferedOutputStream(_loginSocket.getOutputStream()); | ||||
| 				 | ||||
| 				// init Blowfish | ||||
| 				final byte[] blowfishKey = CommonUtil.generateHex(40); | ||||
| 				_blowfish = new NewCrypt("_;v.]05-31!|+-%xT!^[$\00"); | ||||
| 				while (!isInterrupted()) | ||||
| 				{ | ||||
| 					lengthLo = in.read(); | ||||
| 					lengthHi = in.read(); | ||||
| 					length = (lengthHi * 256) + lengthLo; | ||||
| 					 | ||||
| 					if (lengthHi < 0) | ||||
| 					{ | ||||
| 						LOGGER.finer(getClass().getSimpleName() + ": Login terminated the connection."); | ||||
| 						break; | ||||
| 					} | ||||
| 					 | ||||
| 					final byte[] incoming = new byte[length - 2]; | ||||
| 					 | ||||
| 					int receivedBytes = 0; | ||||
| 					int newBytes = 0; | ||||
| 					int left = length - 2; | ||||
| 					while ((newBytes != -1) && (receivedBytes < (length - 2))) | ||||
| 					{ | ||||
| 						newBytes = in.read(incoming, receivedBytes, left); | ||||
| 						receivedBytes = receivedBytes + newBytes; | ||||
| 						left -= newBytes; | ||||
| 					} | ||||
| 					 | ||||
| 					if (receivedBytes != (length - 2)) | ||||
| 					{ | ||||
| 						LOGGER.warning(getClass().getSimpleName() + ": Incomplete Packet is sent to the server, closing connection.(LS)"); | ||||
| 						break; | ||||
| 					} | ||||
| 					 | ||||
| 					// decrypt if we have a key | ||||
| 					_blowfish.decrypt(incoming, 0, incoming.length); | ||||
| 					checksumOk = NewCrypt.verifyChecksum(incoming); | ||||
| 					 | ||||
| 					if (!checksumOk) | ||||
| 					{ | ||||
| 						LOGGER.warning(getClass().getSimpleName() + ": Incorrect packet checksum, ignoring packet (LS)"); | ||||
| 						break; | ||||
| 					} | ||||
| 					 | ||||
| 					final int packetType = incoming[0] & 0xff; | ||||
| 					switch (packetType) | ||||
| 					{ | ||||
| 						case 0x00: | ||||
| 						{ | ||||
| 							final InitLS init = new InitLS(incoming); | ||||
| 							if (init.getRevision() != REVISION) | ||||
| 							{ | ||||
| 								// TODO: revision mismatch | ||||
| 								LOGGER.warning("/!\\ Revision mismatch between LS and GS /!\\"); | ||||
| 								break; | ||||
| 							} | ||||
| 							 | ||||
| 							RSAPublicKey publicKey; | ||||
| 							 | ||||
| 							try | ||||
| 							{ | ||||
| 								final KeyFactory kfac = KeyFactory.getInstance("RSA"); | ||||
| 								final BigInteger modulus = new BigInteger(init.getRSAKey()); | ||||
| 								final RSAPublicKeySpec kspec1 = new RSAPublicKeySpec(modulus, RSAKeyGenParameterSpec.F4); | ||||
| 								publicKey = (RSAPublicKey) kfac.generatePublic(kspec1); | ||||
| 							} | ||||
| 							catch (GeneralSecurityException e) | ||||
| 							{ | ||||
| 								LOGGER.warning(getClass().getSimpleName() + ": Trouble while init the public key send by login"); | ||||
| 								break; | ||||
| 							} | ||||
| 							// send the blowfish key through the rsa encryption | ||||
| 							sendPacket(new BlowFishKey(blowfishKey, publicKey)); | ||||
| 							// now, only accept packet with the new encryption | ||||
| 							_blowfish = new NewCrypt(blowfishKey); | ||||
| 							sendPacket(new AuthRequest(_requestID, _acceptAlternate, _hexID, _gamePort, _reserveHost, _maxPlayer, _subnets, _hosts)); | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x01: | ||||
| 						{ | ||||
| 							final LoginServerFail lsf = new LoginServerFail(incoming); | ||||
| 							LOGGER.info(getClass().getSimpleName() + ": Damn! Registeration Failed: " + lsf.getReasonString()); | ||||
| 							// login will close the connection here | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x02: | ||||
| 						{ | ||||
| 							final AuthResponse aresp = new AuthResponse(incoming); | ||||
| 							final int serverID = aresp.getServerId(); | ||||
| 							_serverName = aresp.getServerName(); | ||||
| 							Config.saveHexid(serverID, hexToString(_hexID)); | ||||
| 							LOGGER.info(getClass().getSimpleName() + ": Registered on login as Server " + serverID + ": " + _serverName); | ||||
| 							final ServerStatus st = new ServerStatus(); | ||||
| 							if (Config.SERVER_LIST_BRACKET) | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_LIST_SQUARE_BRACKET, ServerStatus.ON); | ||||
| 							} | ||||
| 							else | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_LIST_SQUARE_BRACKET, ServerStatus.OFF); | ||||
| 							} | ||||
| 							st.addAttribute(ServerStatus.SERVER_TYPE, Config.SERVER_LIST_TYPE); | ||||
| 							if (Config.SERVER_GMONLY) | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_GM_ONLY); | ||||
| 							} | ||||
| 							else | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_AUTO); | ||||
| 							} | ||||
| 							if (Config.SERVER_LIST_AGE == 15) | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_AGE, ServerStatus.SERVER_AGE_15); | ||||
| 							} | ||||
| 							else if (Config.SERVER_LIST_AGE == 18) | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_AGE, ServerStatus.SERVER_AGE_18); | ||||
| 							} | ||||
| 							else | ||||
| 							{ | ||||
| 								st.addAttribute(ServerStatus.SERVER_AGE, ServerStatus.SERVER_AGE_ALL); | ||||
| 							} | ||||
| 							sendPacket(st); | ||||
| 							if (L2World.getInstance().getPlayers().size() > 0) | ||||
| 							{ | ||||
| 								final List<String> playerList = new ArrayList<>(); | ||||
| 								for (L2PcInstance player : L2World.getInstance().getPlayers()) | ||||
| 								{ | ||||
| 									playerList.add(player.getAccountName()); | ||||
| 								} | ||||
| 								sendPacket(new PlayerInGame(playerList)); | ||||
| 							} | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x03: | ||||
| 						{ | ||||
| 							final PlayerAuthResponse par = new PlayerAuthResponse(incoming); | ||||
| 							final String account = par.getAccount(); | ||||
| 							WaitingClient wcToRemove = null; | ||||
| 							synchronized (_waitingClients) | ||||
| 							{ | ||||
| 								for (WaitingClient wc : _waitingClients) | ||||
| 								{ | ||||
| 									if (wc.account.equals(account)) | ||||
| 									{ | ||||
| 										wcToRemove = wc; | ||||
| 									} | ||||
| 								} | ||||
| 							} | ||||
| 							if (wcToRemove != null) | ||||
| 							{ | ||||
| 								if (par.isAuthed()) | ||||
| 								{ | ||||
| 									final PlayerInGame pig = new PlayerInGame(par.getAccount()); | ||||
| 									sendPacket(pig); | ||||
| 									wcToRemove.gameClient.setConnectionState(ConnectionState.AUTHENTICATED); | ||||
| 									wcToRemove.gameClient.setSessionId(wcToRemove.session); | ||||
| 									wcToRemove.gameClient.sendPacket(LoginFail.LOGIN_SUCCESS); | ||||
| 									final CharSelectionInfo cl = new CharSelectionInfo(wcToRemove.account, wcToRemove.gameClient.getSessionId().playOkID1); | ||||
| 									wcToRemove.gameClient.sendPacket(cl); | ||||
| 									wcToRemove.gameClient.setCharSelection(cl.getCharInfo()); | ||||
| 								} | ||||
| 								else | ||||
| 								{ | ||||
| 									LOGGER.warning(getClass().getSimpleName() + ": Session key is not correct. Closing connection for account " + wcToRemove.account); | ||||
| 									// wcToRemove.gameClient.getConnection().sendPacket(new LoginFail(LoginFail.SYSTEM_ERROR_LOGIN_LATER)); | ||||
| 									wcToRemove.gameClient.close(new LoginFail(LoginFail.SYSTEM_ERROR_LOGIN_LATER)); | ||||
| 									_accountsInGameServer.remove(wcToRemove.account); | ||||
| 								} | ||||
| 								_waitingClients.remove(wcToRemove); | ||||
| 							} | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x04: | ||||
| 						{ | ||||
| 							final KickPlayer kp = new KickPlayer(incoming); | ||||
| 							doKickPlayer(kp.getAccount()); | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x05: | ||||
| 						{ | ||||
| 							final RequestCharacters rc = new RequestCharacters(incoming); | ||||
| 							getCharsOnServer(rc.getAccount()); | ||||
| 							break; | ||||
| 						} | ||||
| 						case 0x06: | ||||
| 						{ | ||||
| 							new ChangePasswordResponse(incoming); | ||||
| 							break; | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			catch (UnknownHostException e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": ", e); | ||||
| 			} | ||||
| 			catch (SocketException e) | ||||
| 			{ | ||||
| 				LOGGER.warning(getClass().getSimpleName() + ": LoginServer not avaible, trying to reconnect..."); | ||||
| 			} | ||||
| 			catch (IOException e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Disconnected from Login, Trying to reconnect: ", e); | ||||
| 			} | ||||
| 			finally | ||||
| 			{ | ||||
| 				try | ||||
| 				{ | ||||
| 					_loginSocket.close(); | ||||
| 					if (isInterrupted()) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 				catch (Exception e) | ||||
| 				{ | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				Thread.sleep(5000); // 5 seconds tempo. | ||||
| 			} | ||||
| 			catch (InterruptedException e) | ||||
| 			{ | ||||
| 				return; // never swallow an interrupt! | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Adds the waiting client and send request. | ||||
| 	 * @param acc the account | ||||
| 	 * @param client the game client | ||||
| 	 * @param key the session key | ||||
| 	 */ | ||||
| 	public void addWaitingClientAndSendRequest(String acc, L2GameClient client, SessionKey key) | ||||
| 	{ | ||||
| 		final WaitingClient wc = new WaitingClient(acc, client, key); | ||||
| 		synchronized (_waitingClients) | ||||
| 		{ | ||||
| 			_waitingClients.add(wc); | ||||
| 		} | ||||
| 		final PlayerAuthRequest par = new PlayerAuthRequest(acc, key); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(par); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Error while sending player auth request"); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Removes the waiting client. | ||||
| 	 * @param client the client | ||||
| 	 */ | ||||
| 	public void removeWaitingClient(L2GameClient client) | ||||
| 	{ | ||||
| 		WaitingClient toRemove = null; | ||||
| 		synchronized (_waitingClients) | ||||
| 		{ | ||||
| 			for (WaitingClient c : _waitingClients) | ||||
| 			{ | ||||
| 				if (c.gameClient == client) | ||||
| 				{ | ||||
| 					toRemove = c; | ||||
| 				} | ||||
| 			} | ||||
| 			if (toRemove != null) | ||||
| 			{ | ||||
| 				_waitingClients.remove(toRemove); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send logout for the given account. | ||||
| 	 * @param account the account | ||||
| 	 */ | ||||
| 	public void sendLogout(String account) | ||||
| 	{ | ||||
| 		if (account == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		final PlayerLogout pl = new PlayerLogout(account); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(pl); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Error while sending logout packet to login"); | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			_accountsInGameServer.remove(account); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Adds the game server login. | ||||
| 	 * @param account the account | ||||
| 	 * @param client the client | ||||
| 	 * @return {@code true} if account was not already logged in, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public boolean addGameServerLogin(String account, L2GameClient client) | ||||
| 	{ | ||||
| 		return _accountsInGameServer.putIfAbsent(account, client) == null; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send access level. | ||||
| 	 * @param account the account | ||||
| 	 * @param level the access level | ||||
| 	 */ | ||||
| 	public void sendAccessLevel(String account, int level) | ||||
| 	{ | ||||
| 		final ChangeAccessLevel cal = new ChangeAccessLevel(account, level); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(cal); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send client tracert. | ||||
| 	 * @param account the account | ||||
| 	 * @param address the address | ||||
| 	 */ | ||||
| 	public void sendClientTracert(String account, String[] address) | ||||
| 	{ | ||||
| 		final PlayerTracert ptc = new PlayerTracert(account, address[0], address[1], address[2], address[3], address[4]); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(ptc); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send mail. | ||||
| 	 * @param account the account | ||||
| 	 * @param mailId the mail id | ||||
| 	 * @param args the args | ||||
| 	 */ | ||||
| 	public void sendMail(String account, String mailId, String... args) | ||||
| 	{ | ||||
| 		final SendMail sem = new SendMail(account, mailId, args); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(sem); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send temp ban. | ||||
| 	 * @param account the account | ||||
| 	 * @param ip the ip | ||||
| 	 * @param time the time | ||||
| 	 */ | ||||
| 	public void sendTempBan(String account, String ip, long time) | ||||
| 	{ | ||||
| 		final TempBan tbn = new TempBan(account, ip, time); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(tbn); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Hex to string. | ||||
| 	 * @param hex the hex value | ||||
| 	 * @return the hex value as string | ||||
| 	 */ | ||||
| 	private String hexToString(byte[] hex) | ||||
| 	{ | ||||
| 		return new BigInteger(hex).toString(16); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Kick player for the given account. | ||||
| 	 * @param account the account | ||||
| 	 */ | ||||
| 	public void doKickPlayer(String account) | ||||
| 	{ | ||||
| 		final L2GameClient client = _accountsInGameServer.get(account); | ||||
| 		if (client != null) | ||||
| 		{ | ||||
| 			if (client.isDetached()) | ||||
| 			{ | ||||
| 				client.getActiveChar().logout(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				client.close(SystemMessage.getSystemMessage(SystemMessageId.YOU_ARE_LOGGED_IN_TO_TWO_PLACES_IF_YOU_SUSPECT_ACCOUNT_THEFT_WE_RECOMMEND_CHANGING_YOUR_PASSWORD_SCANNING_YOUR_COMPUTER_FOR_VIRUSES_AND_USING_AN_ANTI_VIRUS_SOFTWARE)); | ||||
| 			} | ||||
| 			ACCOUNTING_LOGGER.info(getClass().getSimpleName() + ": Kicked by login, " + client); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the chars on server. | ||||
| 	 * @param account the account | ||||
| 	 */ | ||||
| 	private void getCharsOnServer(String account) | ||||
| 	{ | ||||
| 		 | ||||
| 		int chars = 0; | ||||
| 		final List<Long> charToDel = new ArrayList<>(); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT deletetime FROM characters WHERE account_name=?")) | ||||
| 		{ | ||||
| 			ps.setString(1, account); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					chars++; | ||||
| 					final long delTime = rs.getLong("deletetime"); | ||||
| 					if (delTime != 0) | ||||
| 					{ | ||||
| 						charToDel.add(delTime); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Exception: getCharsOnServer: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		 | ||||
| 		final ReplyCharacters rec = new ReplyCharacters(account, chars, charToDel); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(rec); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send packet. | ||||
| 	 * @param sl the sendable packet | ||||
| 	 * @throws IOException Signals that an I/O exception has occurred. | ||||
| 	 */ | ||||
| 	private void sendPacket(BaseSendablePacket sl) throws IOException | ||||
| 	{ | ||||
| 		final byte[] data = sl.getContent(); | ||||
| 		NewCrypt.appendChecksum(data); | ||||
| 		_blowfish.crypt(data, 0, data.length); | ||||
| 		 | ||||
| 		final int len = data.length + 2; | ||||
| 		synchronized (_out) // avoids tow threads writing in the mean time | ||||
| 		{ | ||||
| 			_out.write(len & 0xff); | ||||
| 			_out.write((len >> 8) & 0xff); | ||||
| 			_out.write(data); | ||||
| 			_out.flush(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Sets the max player. | ||||
| 	 * @param maxPlayer The maxPlayer to set. | ||||
| 	 */ | ||||
| 	public void setMaxPlayer(int maxPlayer) | ||||
| 	{ | ||||
| 		sendServerStatus(ServerStatus.MAX_PLAYERS, maxPlayer); | ||||
| 		_maxPlayer = maxPlayer; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the max player. | ||||
| 	 * @return Returns the maxPlayer. | ||||
| 	 */ | ||||
| 	public int getMaxPlayer() | ||||
| 	{ | ||||
| 		return _maxPlayer; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send server status. | ||||
| 	 * @param id the id | ||||
| 	 * @param value the value | ||||
| 	 */ | ||||
| 	public void sendServerStatus(int id, int value) | ||||
| 	{ | ||||
| 		final ServerStatus ss = new ServerStatus(); | ||||
| 		ss.addAttribute(id, value); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(ss); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send Server Type Config to LS. | ||||
| 	 */ | ||||
| 	public void sendServerType() | ||||
| 	{ | ||||
| 		final ServerStatus ss = new ServerStatus(); | ||||
| 		ss.addAttribute(ServerStatus.SERVER_TYPE, Config.SERVER_LIST_TYPE); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(ss); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send change password. | ||||
| 	 * @param accountName the account name | ||||
| 	 * @param charName the char name | ||||
| 	 * @param oldpass the old pass | ||||
| 	 * @param newpass the new pass | ||||
| 	 */ | ||||
| 	public void sendChangePassword(String accountName, String charName, String oldpass, String newpass) | ||||
| 	{ | ||||
| 		final ChangePassword cp = new ChangePassword(accountName, charName, oldpass, newpass); | ||||
| 		try | ||||
| 		{ | ||||
| 			sendPacket(cp); | ||||
| 		} | ||||
| 		catch (IOException e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the status string. | ||||
| 	 * @return the status string | ||||
| 	 */ | ||||
| 	public String getStatusString() | ||||
| 	{ | ||||
| 		return ServerStatus.STATUS_STRING[_status]; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the server name. | ||||
| 	 * @return the server name. | ||||
| 	 */ | ||||
| 	public String getServerName() | ||||
| 	{ | ||||
| 		return _serverName; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Sets the server status. | ||||
| 	 * @param status the new server status | ||||
| 	 */ | ||||
| 	public void setServerStatus(int status) | ||||
| 	{ | ||||
| 		switch (status) | ||||
| 		{ | ||||
| 			case ServerStatus.STATUS_AUTO: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_AUTO); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			case ServerStatus.STATUS_DOWN: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_DOWN); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			case ServerStatus.STATUS_FULL: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_FULL); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			case ServerStatus.STATUS_GM_ONLY: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_GM_ONLY); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			case ServerStatus.STATUS_GOOD: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_GOOD); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			case ServerStatus.STATUS_NORMAL: | ||||
| 			{ | ||||
| 				sendServerStatus(ServerStatus.SERVER_LIST_STATUS, ServerStatus.STATUS_NORMAL); | ||||
| 				_status = status; | ||||
| 				break; | ||||
| 			} | ||||
| 			default: | ||||
| 			{ | ||||
| 				throw new IllegalArgumentException("Status does not exists:" + status); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public L2GameClient getClient(String name) | ||||
| 	{ | ||||
| 		return name != null ? _accountsInGameServer.get(name) : null; | ||||
| 	} | ||||
| 	 | ||||
| 	public static class SessionKey | ||||
| 	{ | ||||
| 		public int playOkID1; | ||||
| 		public int playOkID2; | ||||
| 		public int loginOkID1; | ||||
| 		public int loginOkID2; | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Instantiates a new session key. | ||||
| 		 * @param loginOK1 the login o k1 | ||||
| 		 * @param loginOK2 the login o k2 | ||||
| 		 * @param playOK1 the play o k1 | ||||
| 		 * @param playOK2 the play o k2 | ||||
| 		 */ | ||||
| 		public SessionKey(int loginOK1, int loginOK2, int playOK1, int playOK2) | ||||
| 		{ | ||||
| 			playOkID1 = playOK1; | ||||
| 			playOkID2 = playOK2; | ||||
| 			loginOkID1 = loginOK1; | ||||
| 			loginOkID2 = loginOK2; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public String toString() | ||||
| 		{ | ||||
| 			return "PlayOk: " + playOkID1 + " " + playOkID2 + " LoginOk:" + loginOkID1 + " " + loginOkID2; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private static class WaitingClient | ||||
| 	{ | ||||
| 		public String account; | ||||
| 		public L2GameClient gameClient; | ||||
| 		public SessionKey session; | ||||
| 		 | ||||
| 		/** | ||||
| 		 * Instantiates a new waiting client. | ||||
| 		 * @param acc the acc | ||||
| 		 * @param client the client | ||||
| 		 * @param key the key | ||||
| 		 */ | ||||
| 		public WaitingClient(String acc, L2GameClient client, SessionKey key) | ||||
| 		{ | ||||
| 			account = acc; | ||||
| 			gameClient = client; | ||||
| 			session = key; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final LoginServerThread _instance = new LoginServerThread(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,150 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.lang.reflect.Constructor; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.NpcData; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Npc; | ||||
| import com.l2jmobius.gameserver.model.actor.templates.L2NpcTemplate; | ||||
|  | ||||
| public class MonsterRace | ||||
| { | ||||
| 	protected static final Logger LOGGER = Logger.getLogger(MonsterRace.class.getName()); | ||||
| 	 | ||||
| 	private final L2Npc[] _monsters; | ||||
| 	private int[][] _speeds; | ||||
| 	private final int[] _first, _second; | ||||
| 	 | ||||
| 	protected MonsterRace() | ||||
| 	{ | ||||
| 		_monsters = new L2Npc[8]; | ||||
| 		_speeds = new int[8][20]; | ||||
| 		_first = new int[2]; | ||||
| 		_second = new int[2]; | ||||
| 	} | ||||
| 	 | ||||
| 	public static MonsterRace getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	public void newRace() | ||||
| 	{ | ||||
| 		int random = 0; | ||||
| 		 | ||||
| 		for (int i = 0; i < 8; i++) | ||||
| 		{ | ||||
| 			final int id = 31003; | ||||
| 			random = Rnd.get(24); | ||||
| 			while (true) | ||||
| 			{ | ||||
| 				for (int j = i - 1; j >= 0; j--) | ||||
| 				{ | ||||
| 					if (_monsters[j].getTemplate().getId() == (id + random)) | ||||
| 					{ | ||||
| 						random = Rnd.get(24); | ||||
| 						continue; | ||||
| 					} | ||||
| 				} | ||||
| 				break; | ||||
| 			} | ||||
| 			try | ||||
| 			{ | ||||
| 				final L2NpcTemplate template = NpcData.getInstance().getTemplate(id + random); | ||||
| 				final Constructor<?> constructor = Class.forName("com.l2jmobius.gameserver.model.actor.instance." + template.getType() + "Instance").getConstructors()[0]; | ||||
| 				_monsters[i] = (L2Npc) constructor.newInstance(template); | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, "", e); | ||||
| 			} | ||||
| 			// LOGGER.info("Monster "+i+" is id: "+(id+random)); | ||||
| 		} | ||||
| 		newSpeeds(); | ||||
| 	} | ||||
| 	 | ||||
| 	public void newSpeeds() | ||||
| 	{ | ||||
| 		_speeds = new int[8][20]; | ||||
| 		int total = 0; | ||||
| 		_first[1] = 0; | ||||
| 		_second[1] = 0; | ||||
| 		for (int i = 0; i < 8; i++) | ||||
| 		{ | ||||
| 			total = 0; | ||||
| 			for (int j = 0; j < 20; j++) | ||||
| 			{ | ||||
| 				if (j == 19) | ||||
| 				{ | ||||
| 					_speeds[i][j] = 100; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_speeds[i][j] = Rnd.get(60) + 65; | ||||
| 				} | ||||
| 				total += _speeds[i][j]; | ||||
| 			} | ||||
| 			if (total >= _first[1]) | ||||
| 			{ | ||||
| 				_second[0] = _first[0]; | ||||
| 				_second[1] = _first[1]; | ||||
| 				_first[0] = 8 - i; | ||||
| 				_first[1] = total; | ||||
| 			} | ||||
| 			else if (total >= _second[1]) | ||||
| 			{ | ||||
| 				_second[0] = 8 - i; | ||||
| 				_second[1] = total; | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return Returns the monsters. | ||||
| 	 */ | ||||
| 	public L2Npc[] getMonsters() | ||||
| 	{ | ||||
| 		return _monsters; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return Returns the speeds. | ||||
| 	 */ | ||||
| 	public int[][] getSpeeds() | ||||
| 	{ | ||||
| 		return _speeds; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getFirstPlace() | ||||
| 	{ | ||||
| 		return _first[0]; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getSecondPlace() | ||||
| 	{ | ||||
| 		return _second[0]; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final MonsterRace _instance = new MonsterRace(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,785 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.Arrays; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.RecipeData; | ||||
| import com.l2jmobius.gameserver.datatables.ItemTable; | ||||
| import com.l2jmobius.gameserver.enums.StatType; | ||||
| import com.l2jmobius.gameserver.enums.StatusUpdateType; | ||||
| import com.l2jmobius.gameserver.model.L2ManufactureItem; | ||||
| import com.l2jmobius.gameserver.model.L2RecipeInstance; | ||||
| import com.l2jmobius.gameserver.model.L2RecipeList; | ||||
| import com.l2jmobius.gameserver.model.L2RecipeStatInstance; | ||||
| import com.l2jmobius.gameserver.model.TempItem; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.itemcontainer.Inventory; | ||||
| import com.l2jmobius.gameserver.model.items.L2Item; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.CommonSkill; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.model.stats.Stats; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ActionFailed; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ExUserInfoInvenWeight; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.MagicSkillUse; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.RecipeBookItemList; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.RecipeItemMakeInfo; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.RecipeShopItemInfo; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SetupGauge; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.StatusUpdate; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SystemMessage; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| public class RecipeController | ||||
| { | ||||
| 	protected static final Map<Integer, RecipeItemMaker> _activeMakers = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	protected RecipeController() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	public void requestBookOpen(L2PcInstance player, boolean isDwarvenCraft) | ||||
| 	{ | ||||
| 		// Check if player is trying to alter recipe book while engaged in manufacturing. | ||||
| 		if (!_activeMakers.containsKey(player.getObjectId())) | ||||
| 		{ | ||||
| 			final RecipeBookItemList response = new RecipeBookItemList(isDwarvenCraft, player.getMaxMp()); | ||||
| 			response.addRecipes(isDwarvenCraft ? player.getDwarvenRecipeBook() : player.getCommonRecipeBook()); | ||||
| 			player.sendPacket(response); | ||||
| 			return; | ||||
| 		} | ||||
| 		player.sendPacket(SystemMessageId.YOU_MAY_NOT_ALTER_YOUR_RECIPE_BOOK_WHILE_ENGAGED_IN_MANUFACTURING); | ||||
| 	} | ||||
| 	 | ||||
| 	public void requestMakeItemAbort(L2PcInstance player) | ||||
| 	{ | ||||
| 		_activeMakers.remove(player.getObjectId()); // TODO: anything else here? | ||||
| 	} | ||||
| 	 | ||||
| 	public void requestManufactureItem(L2PcInstance manufacturer, int recipeListId, L2PcInstance player) | ||||
| 	{ | ||||
| 		final L2RecipeList recipeList = RecipeData.getInstance().getValidRecipeList(player, recipeListId); | ||||
| 		if (recipeList == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final List<L2RecipeList> dwarfRecipes = Arrays.asList(manufacturer.getDwarvenRecipeBook()); | ||||
| 		final List<L2RecipeList> commonRecipes = Arrays.asList(manufacturer.getCommonRecipeBook()); | ||||
| 		 | ||||
| 		if (!dwarfRecipes.contains(recipeList) && !commonRecipes.contains(recipeList)) | ||||
| 		{ | ||||
| 			Util.handleIllegalPlayerAction(player, "Warning!! Character " + player.getName() + " of account " + player.getAccountName() + " sent a false recipe id.", Config.DEFAULT_PUNISH); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if manufacturer is under manufacturing store or private store. | ||||
| 		if (Config.ALT_GAME_CREATION && _activeMakers.containsKey(manufacturer.getObjectId())) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.PLEASE_CLOSE_THE_SETUP_WINDOW_FOR_YOUR_PRIVATE_WORKSHOP_OR_PRIVATE_STORE_AND_TRY_AGAIN); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final RecipeItemMaker maker = new RecipeItemMaker(manufacturer, recipeList, player); | ||||
| 		if (maker._isValid) | ||||
| 		{ | ||||
| 			if (Config.ALT_GAME_CREATION) | ||||
| 			{ | ||||
| 				_activeMakers.put(manufacturer.getObjectId(), maker); | ||||
| 				ThreadPoolManager.schedule(maker, 100); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				maker.run(); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void requestMakeItem(L2PcInstance player, int recipeListId) | ||||
| 	{ | ||||
| 		// Check if player is trying to operate a private store or private workshop while engaged in combat. | ||||
| 		if (player.isInCombat() || player.isInDuel()) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.WHILE_YOU_ARE_ENGAGED_IN_COMBAT_YOU_CANNOT_OPERATE_A_PRIVATE_STORE_OR_PRIVATE_WORKSHOP); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2RecipeList recipeList = RecipeData.getInstance().getValidRecipeList(player, recipeListId); | ||||
| 		if (recipeList == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final List<L2RecipeList> dwarfRecipes = Arrays.asList(player.getDwarvenRecipeBook()); | ||||
| 		final List<L2RecipeList> commonRecipes = Arrays.asList(player.getCommonRecipeBook()); | ||||
| 		 | ||||
| 		if (!dwarfRecipes.contains(recipeList) && !commonRecipes.contains(recipeList)) | ||||
| 		{ | ||||
| 			Util.handleIllegalPlayerAction(player, "Warning!! Character " + player.getName() + " of account " + player.getAccountName() + " sent a false recipe id.", Config.DEFAULT_PUNISH); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if player is busy (possible if alt game creation is enabled) | ||||
| 		if (Config.ALT_GAME_CREATION && _activeMakers.containsKey(player.getObjectId())) | ||||
| 		{ | ||||
| 			final SystemMessage sm = SystemMessage.getSystemMessage(SystemMessageId.S2_S1); | ||||
| 			sm.addItemName(recipeList.getItemId()); | ||||
| 			sm.addString("You are busy creating."); | ||||
| 			player.sendPacket(sm); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final RecipeItemMaker maker = new RecipeItemMaker(player, recipeList, player); | ||||
| 		if (maker._isValid) | ||||
| 		{ | ||||
| 			if (Config.ALT_GAME_CREATION) | ||||
| 			{ | ||||
| 				_activeMakers.put(player.getObjectId(), maker); | ||||
| 				ThreadPoolManager.schedule(maker, 100); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				maker.run(); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private static class RecipeItemMaker implements Runnable | ||||
| 	{ | ||||
| 		private static final Logger LOGGER = Logger.getLogger(RecipeItemMaker.class.getName()); | ||||
| 		protected boolean _isValid; | ||||
| 		protected List<TempItem> _items = null; | ||||
| 		protected final L2RecipeList _recipeList; | ||||
| 		protected final L2PcInstance _player; // "crafter" | ||||
| 		protected final L2PcInstance _target; // "customer" | ||||
| 		protected final Skill _skill; | ||||
| 		protected final int _skillId; | ||||
| 		protected final int _skillLevel; | ||||
| 		protected int _creationPasses = 1; | ||||
| 		protected int _itemGrab; | ||||
| 		protected int _exp = -1; | ||||
| 		protected int _sp = -1; | ||||
| 		protected long _price; | ||||
| 		protected int _totalItems; | ||||
| 		protected int _delay; | ||||
| 		 | ||||
| 		public RecipeItemMaker(L2PcInstance pPlayer, L2RecipeList pRecipeList, L2PcInstance pTarget) | ||||
| 		{ | ||||
| 			_player = pPlayer; | ||||
| 			_target = pTarget; | ||||
| 			_recipeList = pRecipeList; | ||||
| 			 | ||||
| 			_isValid = false; | ||||
| 			_skillId = _recipeList.isDwarvenRecipe() ? CommonSkill.CREATE_DWARVEN.getId() : CommonSkill.CREATE_COMMON.getId(); | ||||
| 			_skillLevel = _player.getSkillLevel(_skillId); | ||||
| 			_skill = _player.getKnownSkill(_skillId); | ||||
| 			 | ||||
| 			_player.isInCraftMode(true); | ||||
| 			 | ||||
| 			if (_player.isAlikeDead()) | ||||
| 			{ | ||||
| 				_player.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_target.isAlikeDead()) | ||||
| 			{ | ||||
| 				_target.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_target.isProcessingTransaction()) | ||||
| 			{ | ||||
| 				_target.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_player.isProcessingTransaction()) | ||||
| 			{ | ||||
| 				_player.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// validate recipe list | ||||
| 			if (_recipeList.getRecipes().length == 0) | ||||
| 			{ | ||||
| 				_player.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// validate skill level | ||||
| 			if (_recipeList.getLevel() > _skillLevel) | ||||
| 			{ | ||||
| 				_player.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// check that customer can afford to pay for creation services | ||||
| 			if (_player != _target) | ||||
| 			{ | ||||
| 				final L2ManufactureItem item = _player.getManufactureItems().get(_recipeList.getId()); | ||||
| 				if (item != null) | ||||
| 				{ | ||||
| 					_price = item.getCost(); | ||||
| 					if (_target.getAdena() < _price) // check price | ||||
| 					{ | ||||
| 						_target.sendPacket(SystemMessageId.YOU_DO_NOT_HAVE_ENOUGH_ADENA); | ||||
| 						abort(); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			// make temporary items | ||||
| 			_items = listItems(false); | ||||
| 			if (_items == null) | ||||
| 			{ | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			for (TempItem i : _items) | ||||
| 			{ | ||||
| 				_totalItems += i.getQuantity(); | ||||
| 			} | ||||
| 			 | ||||
| 			// initial statUse checks | ||||
| 			if (!calculateStatUse(false, false)) | ||||
| 			{ | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// initial AltStatChange checks | ||||
| 			if (Config.ALT_GAME_CREATION) | ||||
| 			{ | ||||
| 				calculateAltStatChange(); | ||||
| 			} | ||||
| 			 | ||||
| 			updateMakeInfo(true); | ||||
| 			updateCurMp(); | ||||
| 			updateCurLoad(); | ||||
| 			 | ||||
| 			_player.isInCraftMode(false); | ||||
| 			_isValid = true; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public void run() | ||||
| 		{ | ||||
| 			if (!Config.IS_CRAFTING_ENABLED) | ||||
| 			{ | ||||
| 				_target.sendMessage("Item creation is currently disabled."); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if ((_player == null) || (_target == null)) | ||||
| 			{ | ||||
| 				LOGGER.warning("player or target == null (disconnected?), aborting" + _target + _player); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (!_player.isOnline() || !_target.isOnline()) | ||||
| 			{ | ||||
| 				LOGGER.warning("player or target is not online, aborting " + _target + _player); | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (Config.ALT_GAME_CREATION && !_activeMakers.containsKey(_player.getObjectId())) | ||||
| 			{ | ||||
| 				if (_target != _player) | ||||
| 				{ | ||||
| 					_target.sendMessage("Manufacture aborted"); | ||||
| 					_player.sendMessage("Manufacture aborted"); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_player.sendMessage("Item creation aborted"); | ||||
| 				} | ||||
| 				 | ||||
| 				abort(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (Config.ALT_GAME_CREATION && !_items.isEmpty()) | ||||
| 			{ | ||||
| 				 | ||||
| 				if (!calculateStatUse(true, true)) | ||||
| 				{ | ||||
| 					return; // check stat use | ||||
| 				} | ||||
| 				updateCurMp(); // update craft window mp bar | ||||
| 				 | ||||
| 				grabSomeItems(); // grab (equip) some more items with a nice msg to player | ||||
| 				 | ||||
| 				// if still not empty, schedule another pass | ||||
| 				if (!_items.isEmpty()) | ||||
| 				{ | ||||
| 					_delay = (int) (Config.ALT_GAME_CREATION_SPEED * _player.getStat().getReuseTime(_skill) * GameTimeController.TICKS_PER_SECOND * GameTimeController.MILLIS_IN_TICK); | ||||
| 					 | ||||
| 					// FIXME: please fix this packet to show crafting animation (somebody) | ||||
| 					final MagicSkillUse msk = new MagicSkillUse(_player, _skillId, _skillLevel, _delay, 0); | ||||
| 					_player.broadcastPacket(msk); | ||||
| 					 | ||||
| 					_player.sendPacket(new SetupGauge(_player.getObjectId(), 0, _delay)); | ||||
| 					ThreadPoolManager.schedule(this, 100 + _delay); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					// for alt mode, sleep delay msec before finishing | ||||
| 					_player.sendPacket(new SetupGauge(_player.getObjectId(), 0, _delay)); | ||||
| 					 | ||||
| 					try | ||||
| 					{ | ||||
| 						Thread.sleep(_delay); | ||||
| 					} | ||||
| 					catch (InterruptedException e) | ||||
| 					{ | ||||
| 					} | ||||
| 					finally | ||||
| 					{ | ||||
| 						finishCrafting(); | ||||
| 					} | ||||
| 				} | ||||
| 			} // for old craft mode just finish | ||||
| 			else | ||||
| 			{ | ||||
| 				finishCrafting(); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		private void finishCrafting() | ||||
| 		{ | ||||
| 			if (!Config.ALT_GAME_CREATION) | ||||
| 			{ | ||||
| 				calculateStatUse(false, true); | ||||
| 			} | ||||
| 			 | ||||
| 			// first take adena for manufacture | ||||
| 			if ((_target != _player) && (_price > 0)) // customer must pay for services | ||||
| 			{ | ||||
| 				// attempt to pay for item | ||||
| 				final L2ItemInstance adenatransfer = _target.transferItem("PayManufacture", _target.getInventory().getAdenaInstance().getObjectId(), _price, _player.getInventory(), _player); | ||||
| 				 | ||||
| 				if (adenatransfer == null) | ||||
| 				{ | ||||
| 					_target.sendPacket(SystemMessageId.YOU_DO_NOT_HAVE_ENOUGH_ADENA); | ||||
| 					abort(); | ||||
| 					return; | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			_items = listItems(true); // this line actually takes materials from inventory | ||||
| 			if (_items == null) | ||||
| 			{ | ||||
| 				// handle possible cheaters here | ||||
| 				// (they click craft then try to get rid of items in order to get free craft) | ||||
| 			} | ||||
| 			else if ((Rnd.get(100) < _recipeList.getSuccessRate()) || _target.tryLuck()) | ||||
| 			{ | ||||
| 				rewardPlayer(_target); // and immediately puts created item in its place | ||||
| 				updateMakeInfo(true); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				if (_target != _player) | ||||
| 				{ | ||||
| 					SystemMessage msg = SystemMessage.getSystemMessage(SystemMessageId.YOU_FAILED_TO_CREATE_S2_FOR_C1_AT_THE_PRICE_OF_S3_ADENA); | ||||
| 					msg.addString(_target.getName()); | ||||
| 					msg.addItemName(_recipeList.getItemId()); | ||||
| 					msg.addLong(_price); | ||||
| 					_player.sendPacket(msg); | ||||
| 					 | ||||
| 					msg = SystemMessage.getSystemMessage(SystemMessageId.C1_HAS_FAILED_TO_CREATE_S2_AT_THE_PRICE_OF_S3_ADENA); | ||||
| 					msg.addString(_player.getName()); | ||||
| 					msg.addItemName(_recipeList.getItemId()); | ||||
| 					msg.addLong(_price); | ||||
| 					_target.sendPacket(msg); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_target.sendPacket(SystemMessageId.YOU_FAILED_AT_MIXING_THE_ITEM); | ||||
| 				} | ||||
| 				updateMakeInfo(false); | ||||
| 			} | ||||
| 			// update load and mana bar of craft window | ||||
| 			updateCurMp(); | ||||
| 			_activeMakers.remove(_player.getObjectId()); | ||||
| 			_player.isInCraftMode(false); | ||||
| 			_target.sendItemList(false); | ||||
| 		} | ||||
| 		 | ||||
| 		private void updateMakeInfo(boolean success) | ||||
| 		{ | ||||
| 			if (_target == _player) | ||||
| 			{ | ||||
| 				_target.sendPacket(new RecipeItemMakeInfo(_recipeList.getId(), _target, success)); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				_target.sendPacket(new RecipeShopItemInfo(_player, _recipeList.getId())); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		private void updateCurLoad() | ||||
| 		{ | ||||
| 			_target.sendPacket(new ExUserInfoInvenWeight(_target)); | ||||
| 		} | ||||
| 		 | ||||
| 		private void updateCurMp() | ||||
| 		{ | ||||
| 			final StatusUpdate su = new StatusUpdate(_target); | ||||
| 			su.addUpdate(StatusUpdateType.CUR_MP, (int) _target.getCurrentMp()); | ||||
| 			_target.sendPacket(su); | ||||
| 		} | ||||
| 		 | ||||
| 		private void grabSomeItems() | ||||
| 		{ | ||||
| 			int grabItems = _itemGrab; | ||||
| 			while ((grabItems > 0) && !_items.isEmpty()) | ||||
| 			{ | ||||
| 				final TempItem item = _items.get(0); | ||||
| 				 | ||||
| 				int count = item.getQuantity(); | ||||
| 				if (count >= grabItems) | ||||
| 				{ | ||||
| 					count = grabItems; | ||||
| 				} | ||||
| 				 | ||||
| 				item.setQuantity(item.getQuantity() - count); | ||||
| 				if (item.getQuantity() <= 0) | ||||
| 				{ | ||||
| 					_items.remove(0); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_items.set(0, item); | ||||
| 				} | ||||
| 				 | ||||
| 				grabItems -= count; | ||||
| 				 | ||||
| 				if (_target == _player) | ||||
| 				{ | ||||
| 					final SystemMessage sm = SystemMessage.getSystemMessage(SystemMessageId.EQUIPPED_S1_S2); // you equipped ... | ||||
| 					sm.addLong(count); | ||||
| 					sm.addItemName(item.getItemId()); | ||||
| 					_player.sendPacket(sm); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_target.sendMessage("Manufacturer " + _player.getName() + " used " + count + " " + item.getItemName()); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// AltStatChange parameters make their effect here | ||||
| 		private void calculateAltStatChange() | ||||
| 		{ | ||||
| 			_itemGrab = _skillLevel; | ||||
| 			 | ||||
| 			for (L2RecipeStatInstance altStatChange : _recipeList.getAltStatChange()) | ||||
| 			{ | ||||
| 				if (altStatChange.getType() == StatType.XP) | ||||
| 				{ | ||||
| 					_exp = altStatChange.getValue(); | ||||
| 				} | ||||
| 				else if (altStatChange.getType() == StatType.SP) | ||||
| 				{ | ||||
| 					_sp = altStatChange.getValue(); | ||||
| 				} | ||||
| 				else if (altStatChange.getType() == StatType.GIM) | ||||
| 				{ | ||||
| 					_itemGrab *= altStatChange.getValue(); | ||||
| 				} | ||||
| 			} | ||||
| 			// determine number of creation passes needed | ||||
| 			_creationPasses = (_totalItems / _itemGrab) + ((_totalItems % _itemGrab) != 0 ? 1 : 0); | ||||
| 			if (_creationPasses < 1) | ||||
| 			{ | ||||
| 				_creationPasses = 1; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// StatUse | ||||
| 		private boolean calculateStatUse(boolean isWait, boolean isReduce) | ||||
| 		{ | ||||
| 			boolean ret = true; | ||||
| 			for (L2RecipeStatInstance statUse : _recipeList.getStatUse()) | ||||
| 			{ | ||||
| 				final double modifiedValue = statUse.getValue() / _creationPasses; | ||||
| 				if (statUse.getType() == StatType.HP) | ||||
| 				{ | ||||
| 					// we do not want to kill the player, so its CurrentHP must be greater than the reduce value | ||||
| 					if (_player.getCurrentHp() <= modifiedValue) | ||||
| 					{ | ||||
| 						// rest (wait for HP) | ||||
| 						if (Config.ALT_GAME_CREATION && isWait) | ||||
| 						{ | ||||
| 							_player.sendPacket(new SetupGauge(_player.getObjectId(), 0, _delay)); | ||||
| 							ThreadPoolManager.schedule(this, 100 + _delay); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							_target.sendPacket(SystemMessageId.NOT_ENOUGH_HP); | ||||
| 							abort(); | ||||
| 						} | ||||
| 						ret = false; | ||||
| 					} | ||||
| 					else if (isReduce) | ||||
| 					{ | ||||
| 						_player.reduceCurrentHp(modifiedValue, _player, _skill); | ||||
| 					} | ||||
| 				} | ||||
| 				else if (statUse.getType() == StatType.MP) | ||||
| 				{ | ||||
| 					if (_player.getCurrentMp() < modifiedValue) | ||||
| 					{ | ||||
| 						// rest (wait for MP) | ||||
| 						if (Config.ALT_GAME_CREATION && isWait) | ||||
| 						{ | ||||
| 							_player.sendPacket(new SetupGauge(_player.getObjectId(), 0, _delay)); | ||||
| 							ThreadPoolManager.schedule(this, 100 + _delay); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							_target.sendPacket(SystemMessageId.NOT_ENOUGH_MP); | ||||
| 							abort(); | ||||
| 						} | ||||
| 						ret = false; | ||||
| 					} | ||||
| 					else if (isReduce) | ||||
| 					{ | ||||
| 						_player.reduceCurrentMp(modifiedValue); | ||||
| 					} | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					// there is an unknown StatUse value | ||||
| 					_target.sendMessage("Recipe error!!!, please tell this to your GM."); | ||||
| 					ret = false; | ||||
| 					abort(); | ||||
| 				} | ||||
| 			} | ||||
| 			return ret; | ||||
| 		} | ||||
| 		 | ||||
| 		private List<TempItem> listItems(boolean remove) | ||||
| 		{ | ||||
| 			final L2RecipeInstance[] recipes = _recipeList.getRecipes(); | ||||
| 			final Inventory inv = _target.getInventory(); | ||||
| 			final List<TempItem> materials = new ArrayList<>(); | ||||
| 			SystemMessage sm; | ||||
| 			 | ||||
| 			for (L2RecipeInstance recipe : recipes) | ||||
| 			{ | ||||
| 				if (recipe.getQuantity() > 0) | ||||
| 				{ | ||||
| 					final L2ItemInstance item = inv.getItemByItemId(recipe.getItemId()); | ||||
| 					final long itemQuantityAmount = item == null ? 0 : item.getCount(); | ||||
| 					 | ||||
| 					// check materials | ||||
| 					if (itemQuantityAmount < recipe.getQuantity()) | ||||
| 					{ | ||||
| 						sm = SystemMessage.getSystemMessage(SystemMessageId.YOU_NEED_S2_MORE_S1_S); | ||||
| 						sm.addItemName(recipe.getItemId()); | ||||
| 						sm.addLong(recipe.getQuantity() - itemQuantityAmount); | ||||
| 						_target.sendPacket(sm); | ||||
| 						 | ||||
| 						abort(); | ||||
| 						return null; | ||||
| 					} | ||||
| 					 | ||||
| 					// make new temporary object, just for counting purposes | ||||
| 					materials.add(new TempItem(item, recipe.getQuantity())); | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (remove) | ||||
| 			{ | ||||
| 				for (TempItem tmp : materials) | ||||
| 				{ | ||||
| 					inv.destroyItemByItemId("Manufacture", tmp.getItemId(), tmp.getQuantity(), _target, _player); | ||||
| 					 | ||||
| 					if (tmp.getQuantity() > 1) | ||||
| 					{ | ||||
| 						sm = SystemMessage.getSystemMessage(SystemMessageId.S2_S1_S_DISAPPEARED); | ||||
| 						sm.addItemName(tmp.getItemId()); | ||||
| 						sm.addLong(tmp.getQuantity()); | ||||
| 						_target.sendPacket(sm); | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						sm = SystemMessage.getSystemMessage(SystemMessageId.S1_DISAPPEARED); | ||||
| 						sm.addItemName(tmp.getItemId()); | ||||
| 						_target.sendPacket(sm); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			return materials; | ||||
| 		} | ||||
| 		 | ||||
| 		private void abort() | ||||
| 		{ | ||||
| 			updateMakeInfo(false); | ||||
| 			_player.isInCraftMode(false); | ||||
| 			_activeMakers.remove(_player.getObjectId()); | ||||
| 		} | ||||
| 		 | ||||
| 		private void rewardPlayer(L2PcInstance player) | ||||
| 		{ | ||||
| 			final int rareProdId = _recipeList.getRareItemId(); | ||||
| 			int itemId = _recipeList.getItemId(); | ||||
| 			int itemCount = _recipeList.getCount(); | ||||
| 			final L2Item template = ItemTable.getInstance().getTemplate(itemId); | ||||
| 			 | ||||
| 			// check that the current recipe has a rare production or not | ||||
| 			if ((rareProdId != -1) && ((rareProdId == itemId) || Config.CRAFT_MASTERWORK)) | ||||
| 			{ | ||||
| 				if (Rnd.get(100) < _recipeList.getRarity()) | ||||
| 				{ | ||||
| 					itemId = rareProdId; | ||||
| 					itemCount = _recipeList.getRareCount(); | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (player.tryLuck()) | ||||
| 			{ | ||||
| 				itemCount *= 2; | ||||
| 			} | ||||
| 			 | ||||
| 			_target.getInventory().addItem("Manufacture", itemId, itemCount, _target, _player); | ||||
| 			 | ||||
| 			// inform customer of earned item | ||||
| 			SystemMessage sm = null; | ||||
| 			if (_target != _player) | ||||
| 			{ | ||||
| 				// inform manufacturer of earned profit | ||||
| 				if (itemCount == 1) | ||||
| 				{ | ||||
| 					sm = SystemMessage.getSystemMessage(SystemMessageId.S2_HAS_BEEN_CREATED_FOR_C1_AFTER_THE_PAYMENT_OF_S3_ADENA_WAS_RECEIVED); | ||||
| 					sm.addString(_target.getName()); | ||||
| 					sm.addItemName(itemId); | ||||
| 					sm.addLong(_price); | ||||
| 					_player.sendPacket(sm); | ||||
| 					 | ||||
| 					sm = SystemMessage.getSystemMessage(SystemMessageId.C1_CREATED_S2_AFTER_RECEIVING_S3_ADENA); | ||||
| 					sm.addString(_player.getName()); | ||||
| 					sm.addItemName(itemId); | ||||
| 					sm.addLong(_price); | ||||
| 					_target.sendPacket(sm); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					sm = SystemMessage.getSystemMessage(SystemMessageId.S3_S2_S_HAVE_BEEN_CREATED_FOR_C1_AT_THE_PRICE_OF_S4_ADENA); | ||||
| 					sm.addString(_target.getName()); | ||||
| 					sm.addInt(itemCount); | ||||
| 					sm.addItemName(itemId); | ||||
| 					sm.addLong(_price); | ||||
| 					_player.sendPacket(sm); | ||||
| 					 | ||||
| 					sm = SystemMessage.getSystemMessage(SystemMessageId.C1_CREATED_S3_S2_S_AT_THE_PRICE_OF_S4_ADENA); | ||||
| 					sm.addString(_player.getName()); | ||||
| 					sm.addInt(itemCount); | ||||
| 					sm.addItemName(itemId); | ||||
| 					sm.addLong(_price); | ||||
| 					_target.sendPacket(sm); | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (itemCount > 1) | ||||
| 			{ | ||||
| 				sm = SystemMessage.getSystemMessage(SystemMessageId.YOU_HAVE_EARNED_S2_S1_S); | ||||
| 				sm.addItemName(itemId); | ||||
| 				sm.addLong(itemCount); | ||||
| 				_target.sendPacket(sm); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				sm = SystemMessage.getSystemMessage(SystemMessageId.YOU_HAVE_EARNED_S1); | ||||
| 				sm.addItemName(itemId); | ||||
| 				_target.sendPacket(sm); | ||||
| 			} | ||||
| 			 | ||||
| 			if (Config.ALT_GAME_CREATION) | ||||
| 			{ | ||||
| 				final int recipeLevel = _recipeList.getLevel(); | ||||
| 				if (_exp < 0) | ||||
| 				{ | ||||
| 					_exp = template.getReferencePrice() * itemCount; | ||||
| 					_exp /= recipeLevel; | ||||
| 				} | ||||
| 				if (_sp < 0) | ||||
| 				{ | ||||
| 					_sp = _exp / 10; | ||||
| 				} | ||||
| 				if (itemId == rareProdId) | ||||
| 				{ | ||||
| 					_exp *= Config.ALT_GAME_CREATION_RARE_XPSP_RATE; | ||||
| 					_sp *= Config.ALT_GAME_CREATION_RARE_XPSP_RATE; | ||||
| 				} | ||||
| 				 | ||||
| 				if (_exp < 0) | ||||
| 				{ | ||||
| 					_exp = 0; | ||||
| 				} | ||||
| 				if (_sp < 0) | ||||
| 				{ | ||||
| 					_sp = 0; | ||||
| 				} | ||||
| 				 | ||||
| 				for (int i = _skillLevel; i > recipeLevel; i--) | ||||
| 				{ | ||||
| 					_exp /= 4; | ||||
| 					_sp /= 4; | ||||
| 				} | ||||
| 				 | ||||
| 				// Added multiplication of Creation speed with XP/SP gain slower crafting -> more XP, | ||||
| 				// faster crafting -> less XP you can use ALT_GAME_CREATION_XP_RATE/SP to modify XP/SP gained (default = 1) | ||||
| 				_player.addExpAndSp((int) _player.getStat().getValue(Stats.EXPSP_RATE, _exp * Config.ALT_GAME_CREATION_XP_RATE * Config.ALT_GAME_CREATION_SPEED), (int) _player.getStat().getValue(Stats.EXPSP_RATE, _sp * Config.ALT_GAME_CREATION_SP_RATE * Config.ALT_GAME_CREATION_SPEED)); | ||||
| 			} | ||||
| 			updateMakeInfo(true); // success | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static RecipeController getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final RecipeController _instance = new RecipeController(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,681 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.ClanTable; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.OfflineTradersTable; | ||||
| import com.l2jmobius.gameserver.datatables.BotReportTable; | ||||
| import com.l2jmobius.gameserver.instancemanager.CastleManorManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CeremonyOfChaosManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.CursedWeaponsManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.DBSpawnManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.GlobalVariablesManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.GrandBossManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ItemAuctionManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.ItemsOnGroundManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.QuestManager; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.entity.Hero; | ||||
| import com.l2jmobius.gameserver.model.olympiad.Olympiad; | ||||
| import com.l2jmobius.gameserver.network.ClientNetworkManager; | ||||
| import com.l2jmobius.gameserver.network.EventLoopGroupManager; | ||||
| import com.l2jmobius.gameserver.network.L2GameClient; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
| import com.l2jmobius.gameserver.network.loginserverpackets.game.ServerStatus; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ServerClose; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SystemMessage; | ||||
| import com.l2jmobius.gameserver.network.telnet.TelnetServer; | ||||
| import com.l2jmobius.gameserver.util.Broadcast; | ||||
|  | ||||
| /** | ||||
|  * This class provides the functions for shutting down and restarting the server.<br> | ||||
|  * It closes all open client connections and saves all data. | ||||
|  * @version $Revision: 1.2.4.5 $ $Date: 2005/03/27 15:29:09 $ | ||||
|  */ | ||||
| public class Shutdown extends Thread | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(Shutdown.class.getName()); | ||||
| 	private static Shutdown _counterInstance = null; | ||||
| 	 | ||||
| 	private int _secondsShut; | ||||
| 	private int _shutdownMode; | ||||
| 	public static final int SIGTERM = 0; | ||||
| 	public static final int GM_SHUTDOWN = 1; | ||||
| 	public static final int GM_RESTART = 2; | ||||
| 	public static final int ABORT = 3; | ||||
| 	private static final String[] MODE_TEXT = | ||||
| 	{ | ||||
| 		"SIGTERM", | ||||
| 		"shutting down", | ||||
| 		"restarting", | ||||
| 		"aborting" | ||||
| 	}; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This function starts a shutdown count down from Telnet (Copied from Function startShutdown()) | ||||
| 	 * @param seconds seconds until shutdown | ||||
| 	 */ | ||||
| 	private void SendServerQuit(int seconds) | ||||
| 	{ | ||||
| 		final SystemMessage sysm = SystemMessage.getSystemMessage(SystemMessageId.THE_SERVER_WILL_BE_COMING_DOWN_IN_S1_SECOND_S_PLEASE_FIND_A_SAFE_PLACE_TO_LOG_OUT); | ||||
| 		sysm.addInt(seconds); | ||||
| 		Broadcast.toAllOnlinePlayers(sysm); | ||||
| 	} | ||||
| 	 | ||||
| 	public void startTelnetShutdown(String IP, int seconds, boolean restart) | ||||
| 	{ | ||||
| 		LOGGER.warning("IP: " + IP + " issued shutdown command. " + MODE_TEXT[_shutdownMode] + " in " + seconds + " seconds!"); | ||||
| 		 | ||||
| 		_shutdownMode = restart ? GM_RESTART : GM_SHUTDOWN; | ||||
| 		 | ||||
| 		if (_shutdownMode > 0) | ||||
| 		{ | ||||
| 			switch (seconds) | ||||
| 			{ | ||||
| 				case 540: | ||||
| 				case 480: | ||||
| 				case 420: | ||||
| 				case 360: | ||||
| 				case 300: | ||||
| 				case 240: | ||||
| 				case 180: | ||||
| 				case 120: | ||||
| 				case 60: | ||||
| 				case 30: | ||||
| 				case 10: | ||||
| 				case 5: | ||||
| 				case 4: | ||||
| 				case 3: | ||||
| 				case 2: | ||||
| 				case 1: | ||||
| 				{ | ||||
| 					break; | ||||
| 				} | ||||
| 				default: | ||||
| 				{ | ||||
| 					SendServerQuit(seconds); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if (_counterInstance != null) | ||||
| 		{ | ||||
| 			_counterInstance._abort(); | ||||
| 		} | ||||
| 		_counterInstance = new Shutdown(seconds, restart); | ||||
| 		_counterInstance.start(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This function aborts a running countdown | ||||
| 	 * @param IP IP Which Issued shutdown command | ||||
| 	 */ | ||||
| 	public void telnetAbort(String IP) | ||||
| 	{ | ||||
| 		LOGGER.warning("IP: " + IP + " issued shutdown ABORT. " + MODE_TEXT[_shutdownMode] + " has been stopped!"); | ||||
| 		 | ||||
| 		if (_counterInstance != null) | ||||
| 		{ | ||||
| 			_counterInstance._abort(); | ||||
| 			Broadcast.toAllOnlinePlayers("Server aborts " + MODE_TEXT[_shutdownMode] + " and continues normal operation!", false); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Default constructor is only used internal to create the shutdown-hook instance | ||||
| 	 */ | ||||
| 	protected Shutdown() | ||||
| 	{ | ||||
| 		_secondsShut = -1; | ||||
| 		_shutdownMode = SIGTERM; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This creates a countdown instance of Shutdown. | ||||
| 	 * @param seconds how many seconds until shutdown | ||||
| 	 * @param restart true is the server shall restart after shutdown | ||||
| 	 */ | ||||
| 	public Shutdown(int seconds, boolean restart) | ||||
| 	{ | ||||
| 		if (seconds < 0) | ||||
| 		{ | ||||
| 			seconds = 0; | ||||
| 		} | ||||
| 		_secondsShut = seconds; | ||||
| 		_shutdownMode = restart ? GM_RESTART : GM_SHUTDOWN; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This function is called, when a new thread starts if this thread is the thread of getInstance, then this is the shutdown hook and we save all data and disconnect all clients.<br> | ||||
| 	 * After this thread ends, the server will completely exit if this is not the thread of getInstance, then this is a countdown thread.<br> | ||||
| 	 * We start the countdown, and when we finished it, and it was not aborted, we tell the shutdown-hook why we call exit, and then call exit when the exit status of the server is 1, startServer.sh / startServer.bat will restart the server. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		if (this == getInstance()) | ||||
| 		{ | ||||
| 			final TimeCounter tc = new TimeCounter(); | ||||
| 			final TimeCounter tc1 = new TimeCounter(); | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				if ((Config.OFFLINE_TRADE_ENABLE || Config.OFFLINE_CRAFT_ENABLE) && Config.RESTORE_OFFLINERS && !Config.STORE_OFFLINE_TRADE_IN_REALTIME) | ||||
| 				{ | ||||
| 					OfflineTradersTable.getInstance().storeOffliners(); | ||||
| 					LOGGER.info("Offline Traders Table: Offline shops stored(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 				} | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, "Error saving offline shops.", t); | ||||
| 			} | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				disconnectAllCharacters(); | ||||
| 				LOGGER.info("All players disconnected and saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			// ensure all services are stopped | ||||
| 			try | ||||
| 			{ | ||||
| 				GameTimeController.getInstance().stopTimer(); | ||||
| 				LOGGER.info("Game Time Controller: Timer stopped(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			// stop all thread pools | ||||
| 			try | ||||
| 			{ | ||||
| 				ThreadPoolManager.shutdown(); | ||||
| 				LOGGER.info("Thread Pool Manager: Manager has been shut down(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				LoginServerThread.getInstance().interrupt(); | ||||
| 				LOGGER.info("Login Server Thread: Thread interruped(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			try | ||||
| 			{ | ||||
| 				TelnetServer.getInstance().shutdown(); | ||||
| 				LOGGER.info("Telnet Server Thread: Thread interruped(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			// last byebye, save all data and quit this server | ||||
| 			saveData(); | ||||
| 			tc.restartCounter(); | ||||
| 			 | ||||
| 			// saveData sends messages to exit players, so shutdown selector after it | ||||
| 			try | ||||
| 			{ | ||||
| 				ClientNetworkManager.getInstance().stop(); | ||||
| 				EventLoopGroupManager.getInstance().shutdown(); | ||||
| 				LOGGER.info("Game Server: Selector thread has been shut down(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				// ignore | ||||
| 			} | ||||
| 			 | ||||
| 			// commit data, last chance | ||||
| 			try | ||||
| 			{ | ||||
| 				DatabaseFactory.getInstance().close(); | ||||
| 				LOGGER.info("L2Database Factory: Database connection has been shut down(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				 | ||||
| 			} | ||||
| 			 | ||||
| 			// server will quit, when this function ends. | ||||
| 			if (getInstance()._shutdownMode == GM_RESTART) | ||||
| 			{ | ||||
| 				Runtime.getRuntime().halt(2); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				Runtime.getRuntime().halt(0); | ||||
| 			} | ||||
| 			 | ||||
| 			LOGGER.info("The server has been successfully shut down in " + (tc1.getEstimatedTime() / 1000) + "seconds."); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// gm shutdown: send warnings and then call exit to start shutdown sequence | ||||
| 			countdown(); | ||||
| 			// last point where logging is operational :( | ||||
| 			LOGGER.warning("GM shutdown countdown is over. " + MODE_TEXT[_shutdownMode] + " NOW!"); | ||||
| 			switch (_shutdownMode) | ||||
| 			{ | ||||
| 				case GM_SHUTDOWN: | ||||
| 				{ | ||||
| 					getInstance().setMode(GM_SHUTDOWN); | ||||
| 					System.exit(0); | ||||
| 					break; | ||||
| 				} | ||||
| 				case GM_RESTART: | ||||
| 				{ | ||||
| 					getInstance().setMode(GM_RESTART); | ||||
| 					System.exit(2); | ||||
| 					break; | ||||
| 				} | ||||
| 				case ABORT: | ||||
| 				{ | ||||
| 					LoginServerThread.getInstance().setServerStatus(ServerStatus.STATUS_AUTO); | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This functions starts a shutdown countdown. | ||||
| 	 * @param activeChar GM who issued the shutdown command | ||||
| 	 * @param seconds seconds until shutdown | ||||
| 	 * @param restart true if the server will restart after shutdown | ||||
| 	 */ | ||||
| 	public void startShutdown(L2PcInstance activeChar, int seconds, boolean restart) | ||||
| 	{ | ||||
| 		_shutdownMode = restart ? GM_RESTART : GM_SHUTDOWN; | ||||
| 		 | ||||
| 		if (activeChar != null) | ||||
| 		{ | ||||
| 			LOGGER.warning("GM: " + activeChar.getName() + "(" + activeChar.getObjectId() + ") issued shutdown command. " + MODE_TEXT[_shutdownMode] + " in " + seconds + " seconds!"); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			LOGGER.warning("Server scheduled restart issued shutdown command. Restart in " + seconds + " seconds!"); | ||||
| 		} | ||||
| 		 | ||||
| 		if (_shutdownMode > 0) | ||||
| 		{ | ||||
| 			switch (seconds) | ||||
| 			{ | ||||
| 				case 540: | ||||
| 				case 480: | ||||
| 				case 420: | ||||
| 				case 360: | ||||
| 				case 300: | ||||
| 				case 240: | ||||
| 				case 180: | ||||
| 				case 120: | ||||
| 				case 60: | ||||
| 				case 30: | ||||
| 				case 10: | ||||
| 				case 5: | ||||
| 				case 4: | ||||
| 				case 3: | ||||
| 				case 2: | ||||
| 				case 1: | ||||
| 				{ | ||||
| 					break; | ||||
| 				} | ||||
| 				default: | ||||
| 				{ | ||||
| 					SendServerQuit(seconds); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if (_counterInstance != null) | ||||
| 		{ | ||||
| 			_counterInstance._abort(); | ||||
| 		} | ||||
| 		 | ||||
| 		// the main instance should only run for shutdown hook, so we start a new instance | ||||
| 		_counterInstance = new Shutdown(seconds, restart); | ||||
| 		_counterInstance.start(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This function aborts a running countdown. | ||||
| 	 * @param activeChar GM who issued the abort command | ||||
| 	 */ | ||||
| 	public void abort(L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		LOGGER.warning("GM: " + activeChar.getName() + "(" + activeChar.getObjectId() + ") issued shutdown ABORT. " + MODE_TEXT[_shutdownMode] + " has been stopped!"); | ||||
| 		if (_counterInstance != null) | ||||
| 		{ | ||||
| 			_counterInstance._abort(); | ||||
| 			Broadcast.toAllOnlinePlayers("Server aborts " + MODE_TEXT[_shutdownMode] + " and continues normal operation!", false); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set the shutdown mode. | ||||
| 	 * @param mode what mode shall be set | ||||
| 	 */ | ||||
| 	private void setMode(int mode) | ||||
| 	{ | ||||
| 		_shutdownMode = mode; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set shutdown mode to ABORT. | ||||
| 	 */ | ||||
| 	private void _abort() | ||||
| 	{ | ||||
| 		_shutdownMode = ABORT; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This counts the countdown and reports it to all players countdown is aborted if mode changes to ABORT. | ||||
| 	 */ | ||||
| 	private void countdown() | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			while (_secondsShut > 0) | ||||
| 			{ | ||||
| 				switch (_secondsShut) | ||||
| 				{ | ||||
| 					case 540: | ||||
| 					{ | ||||
| 						SendServerQuit(540); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 480: | ||||
| 					{ | ||||
| 						SendServerQuit(480); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 420: | ||||
| 					{ | ||||
| 						SendServerQuit(420); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 360: | ||||
| 					{ | ||||
| 						SendServerQuit(360); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 300: | ||||
| 					{ | ||||
| 						SendServerQuit(300); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 240: | ||||
| 					{ | ||||
| 						SendServerQuit(240); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 180: | ||||
| 					{ | ||||
| 						SendServerQuit(180); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 120: | ||||
| 					{ | ||||
| 						SendServerQuit(120); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 60: | ||||
| 					{ | ||||
| 						LoginServerThread.getInstance().setServerStatus(ServerStatus.STATUS_DOWN); // avoids new players from logging in | ||||
| 						SendServerQuit(60); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 30: | ||||
| 					{ | ||||
| 						SendServerQuit(30); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 10: | ||||
| 					{ | ||||
| 						SendServerQuit(10); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 5: | ||||
| 					{ | ||||
| 						SendServerQuit(5); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 4: | ||||
| 					{ | ||||
| 						SendServerQuit(4); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 3: | ||||
| 					{ | ||||
| 						SendServerQuit(3); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 2: | ||||
| 					{ | ||||
| 						SendServerQuit(2); | ||||
| 						break; | ||||
| 					} | ||||
| 					case 1: | ||||
| 					{ | ||||
| 						SendServerQuit(1); | ||||
| 						break; | ||||
| 					} | ||||
| 				} | ||||
| 				 | ||||
| 				_secondsShut--; | ||||
| 				 | ||||
| 				final int delay = 1000; // milliseconds | ||||
| 				Thread.sleep(delay); | ||||
| 				 | ||||
| 				if (_shutdownMode == ABORT) | ||||
| 				{ | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (InterruptedException e) | ||||
| 		{ | ||||
| 			// this will never happen | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This sends a last byebye, disconnects all players and saves data. | ||||
| 	 */ | ||||
| 	private void saveData() | ||||
| 	{ | ||||
| 		switch (_shutdownMode) | ||||
| 		{ | ||||
| 			case SIGTERM: | ||||
| 			{ | ||||
| 				LOGGER.info("SIGTERM received. Shutting down NOW!"); | ||||
| 				break; | ||||
| 			} | ||||
| 			case GM_SHUTDOWN: | ||||
| 			{ | ||||
| 				LOGGER.info("GM shutdown received. Shutting down NOW!"); | ||||
| 				break; | ||||
| 			} | ||||
| 			case GM_RESTART: | ||||
| 			{ | ||||
| 				LOGGER.info("GM restart received. Restarting NOW!"); | ||||
| 				break; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		/* | ||||
| 		 * if (Config.ACTIVATE_POSITION_RECORDER) Universe.getInstance().implode(true); | ||||
| 		 */ | ||||
| 		final TimeCounter tc = new TimeCounter(); | ||||
| 		 | ||||
| 		// Save all raidboss and GrandBoss status ^_^ | ||||
| 		DBSpawnManager.getInstance().cleanUp(); | ||||
| 		LOGGER.info("RaidBossSpawnManager: All raidboss info saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		GrandBossManager.getInstance().cleanUp(); | ||||
| 		LOGGER.info("GrandBossManager: All Grand Boss info saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		ItemAuctionManager.getInstance().shutdown(); | ||||
| 		LOGGER.info("Item Auction Manager: All tasks stopped(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		Olympiad.getInstance().saveOlympiadStatus(); | ||||
| 		LOGGER.info("Olympiad System: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		CeremonyOfChaosManager.getInstance().stopScheduler(); | ||||
| 		LOGGER.info("CeremonyOfChaosManager: Scheduler stopped(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		 | ||||
| 		Hero.getInstance().shutdown(); | ||||
| 		LOGGER.info("Hero System: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		ClanTable.getInstance().shutdown(); | ||||
| 		LOGGER.info("Clan System: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		 | ||||
| 		// Save Cursed Weapons data before closing. | ||||
| 		CursedWeaponsManager.getInstance().saveData(); | ||||
| 		LOGGER.info("Cursed Weapons Manager: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		 | ||||
| 		// Save all manor data | ||||
| 		if (!Config.ALT_MANOR_SAVE_ALL_ACTIONS) | ||||
| 		{ | ||||
| 			CastleManorManager.getInstance().storeMe(); | ||||
| 			LOGGER.info("Castle Manor Manager: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		} | ||||
| 		 | ||||
| 		// Save all global (non-player specific) Quest data that needs to persist after reboot | ||||
| 		QuestManager.getInstance().save(); | ||||
| 		LOGGER.info("Quest Manager: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		 | ||||
| 		// Save all global variables data | ||||
| 		GlobalVariablesManager.getInstance().storeMe(); | ||||
| 		LOGGER.info("Global Variables Manager: Variables saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		 | ||||
| 		// Save items on ground before closing | ||||
| 		if (Config.SAVE_DROPPED_ITEM) | ||||
| 		{ | ||||
| 			ItemsOnGroundManager.getInstance().saveInDb(); | ||||
| 			LOGGER.info("Items On Ground Manager: Data saved(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 			ItemsOnGroundManager.getInstance().cleanUp(); | ||||
| 			LOGGER.info("Items On Ground Manager: Cleaned up(" + tc.getEstimatedTimeAndRestartCounter() + "ms)."); | ||||
| 		} | ||||
| 		 | ||||
| 		// Save bot reports to database | ||||
| 		if (Config.BOTREPORT_ENABLE) | ||||
| 		{ | ||||
| 			BotReportTable.getInstance().saveReportedCharData(); | ||||
| 			LOGGER.info("Bot Report Table: Sucessfully saved reports to database!"); | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			Thread.sleep(5000); | ||||
| 		} | ||||
| 		catch (InterruptedException e) | ||||
| 		{ | ||||
| 			// never happens :p | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * This disconnects all clients from the server. | ||||
| 	 */ | ||||
| 	private void disconnectAllCharacters() | ||||
| 	{ | ||||
| 		for (L2PcInstance player : L2World.getInstance().getPlayers()) | ||||
| 		{ | ||||
| 			// Logout Character | ||||
| 			try | ||||
| 			{ | ||||
| 				final L2GameClient client = player.getClient(); | ||||
| 				if ((client != null) && !client.isDetached()) | ||||
| 				{ | ||||
| 					client.close(ServerClose.STATIC_PACKET); | ||||
| 					client.setActiveChar(null); | ||||
| 					player.setClient(null); | ||||
| 				} | ||||
| 				else if ((client == null) || client.isDetached()) | ||||
| 				// player is probably a bot - force logout | ||||
| 				{ | ||||
| 					player.logout(); | ||||
| 				} | ||||
| 				player.deleteMe(); | ||||
| 			} | ||||
| 			catch (Throwable t) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, "Failed logour char " + player, t); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * A simple class used to track down the estimated time of method executions.<br> | ||||
| 	 * Once this class is created, it saves the start time, and when you want to get the estimated time, use the getEstimatedTime() method. | ||||
| 	 */ | ||||
| 	private static final class TimeCounter | ||||
| 	{ | ||||
| 		private long _startTime; | ||||
| 		 | ||||
| 		protected TimeCounter() | ||||
| 		{ | ||||
| 			restartCounter(); | ||||
| 		} | ||||
| 		 | ||||
| 		protected void restartCounter() | ||||
| 		{ | ||||
| 			_startTime = System.currentTimeMillis(); | ||||
| 		} | ||||
| 		 | ||||
| 		protected long getEstimatedTimeAndRestartCounter() | ||||
| 		{ | ||||
| 			final long toReturn = System.currentTimeMillis() - _startTime; | ||||
| 			restartCounter(); | ||||
| 			return toReturn; | ||||
| 		} | ||||
| 		 | ||||
| 		protected long getEstimatedTime() | ||||
| 		{ | ||||
| 			return System.currentTimeMillis() - _startTime; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Get the shutdown-hook instance the shutdown-hook instance is created by the first call of this function, but it has to be registered externally.<br> | ||||
| 	 * @return instance of Shutdown, to be used as shutdown hook | ||||
| 	 */ | ||||
| 	public static Shutdown getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final Shutdown _instance = new Shutdown(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,299 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
| import java.util.concurrent.ArrayBlockingQueue; | ||||
| import java.util.concurrent.ScheduledFuture; | ||||
| import java.util.concurrent.ScheduledThreadPoolExecutor; | ||||
| import java.util.concurrent.ThreadPoolExecutor; | ||||
| import java.util.concurrent.TimeUnit; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
|  | ||||
| /** | ||||
|  * This class handles thread pooling system. It relies on two ThreadPoolExecutor arrays, which poolers number is generated using config. | ||||
|  * <p> | ||||
|  * Those arrays hold following pools : | ||||
|  * </p> | ||||
|  * <ul> | ||||
|  * <li>Scheduled pool keeps a track about incoming, future events.</li> | ||||
|  * <li>Instant pool handles short-life events.</li> | ||||
|  * </ul> | ||||
|  */ | ||||
| public final class ThreadPoolManager | ||||
| { | ||||
| 	protected static final Logger LOG = Logger.getLogger(ThreadPoolManager.class.getName()); | ||||
| 	 | ||||
| 	private static final long MAX_DELAY = TimeUnit.NANOSECONDS.toMillis(Long.MAX_VALUE - System.nanoTime()) / 2; | ||||
| 	 | ||||
| 	private static int _threadPoolRandomizer; | ||||
| 	 | ||||
| 	protected static ScheduledThreadPoolExecutor[] _scheduledPools; | ||||
| 	protected static ThreadPoolExecutor[] _instantPools; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Init the different pools, based on Config. It is launched only once, on Gameserver instance. | ||||
| 	 */ | ||||
| 	public static void init() | ||||
| 	{ | ||||
| 		// Feed scheduled pool. | ||||
| 		int poolCount = Config.SCHEDULED_THREAD_POOL_COUNT; | ||||
| 		if (poolCount == -1) | ||||
| 		{ | ||||
| 			poolCount = Runtime.getRuntime().availableProcessors(); | ||||
| 		} | ||||
| 		 | ||||
| 		_scheduledPools = new ScheduledThreadPoolExecutor[poolCount]; | ||||
| 		for (int i = 0; i < poolCount; i++) | ||||
| 		{ | ||||
| 			_scheduledPools[i] = new ScheduledThreadPoolExecutor(Config.THREADS_PER_SCHEDULED_THREAD_POOL); | ||||
| 		} | ||||
| 		 | ||||
| 		// Feed instant pool. | ||||
| 		poolCount = Config.INSTANT_THREAD_POOL_COUNT; | ||||
| 		if (poolCount == -1) | ||||
| 		{ | ||||
| 			poolCount = Runtime.getRuntime().availableProcessors(); | ||||
| 		} | ||||
| 		 | ||||
| 		_instantPools = new ThreadPoolExecutor[poolCount]; | ||||
| 		for (int i = 0; i < poolCount; i++) | ||||
| 		{ | ||||
| 			_instantPools[i] = new ThreadPoolExecutor(Config.THREADS_PER_INSTANT_THREAD_POOL, Config.THREADS_PER_INSTANT_THREAD_POOL, 0, TimeUnit.SECONDS, new ArrayBlockingQueue<Runnable>(100000)); | ||||
| 		} | ||||
| 		 | ||||
| 		// Prestart core threads. | ||||
| 		for (ScheduledThreadPoolExecutor threadPool : _scheduledPools) | ||||
| 		{ | ||||
| 			threadPool.prestartAllCoreThreads(); | ||||
| 		} | ||||
| 		 | ||||
| 		for (ThreadPoolExecutor threadPool : _instantPools) | ||||
| 		{ | ||||
| 			threadPool.prestartAllCoreThreads(); | ||||
| 		} | ||||
| 		 | ||||
| 		// Launch purge task. | ||||
| 		scheduleAtFixedRate(() -> | ||||
| 		{ | ||||
| 			purge(); | ||||
| 		}, 600000, 600000); | ||||
| 		 | ||||
| 		LOG.info("ThreadPoolManager: Initialized " + getPoolSize(_instantPools) + "/" + getMaximumPoolSize(_instantPools) + " instant thread(s)."); | ||||
| 		LOG.info("ThreadPoolManager: Initialized " + getPoolSize(_scheduledPools) + "/" + getMaximumPoolSize(_scheduledPools) + " scheduled thread(s)."); | ||||
| 	} | ||||
| 	 | ||||
| 	public static void purge() | ||||
| 	{ | ||||
| 		for (ScheduledThreadPoolExecutor threadPool1 : _scheduledPools) | ||||
| 		{ | ||||
| 			threadPool1.purge(); | ||||
| 		} | ||||
| 		for (ThreadPoolExecutor threadPool2 : _instantPools) | ||||
| 		{ | ||||
| 			threadPool2.purge(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Schedules a one-shot action that becomes enabled after a delay. The pool is chosen based on pools activity. | ||||
| 	 * @param r : the task to execute. | ||||
| 	 * @param delay : the time from now to delay execution. | ||||
| 	 * @return a ScheduledFuture representing pending completion of the task and whose get() method will return null upon completion. | ||||
| 	 */ | ||||
| 	public static ScheduledFuture<?> schedule(Runnable r, long delay) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			return getPool(_scheduledPools).schedule(new TaskWrapper(r), validate(delay), TimeUnit.MILLISECONDS); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Schedules a periodic action that becomes enabled after a delay. The pool is chosen based on pools activity. | ||||
| 	 * @param r : the task to execute. | ||||
| 	 * @param delay : the time from now to delay execution. | ||||
| 	 * @param period : the period between successive executions. | ||||
| 	 * @return a ScheduledFuture representing pending completion of the task and whose get() method will throw an exception upon cancellation. | ||||
| 	 */ | ||||
| 	public static ScheduledFuture<?> scheduleAtFixedRate(Runnable r, long delay, long period) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			return getPool(_scheduledPools).scheduleAtFixedRate(new TaskWrapper(r), validate(delay), validate(period), TimeUnit.MILLISECONDS); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Executes the given task sometime in the future. | ||||
| 	 * @param r : the task to execute. | ||||
| 	 */ | ||||
| 	public static void execute(Runnable r) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			getPool(_instantPools).execute(new TaskWrapper(r)); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static String[] getStats() | ||||
| 	{ | ||||
| 		List<String> stats = new ArrayList<>(); | ||||
| 		for (int i = 0; i < _scheduledPools.length; i++) | ||||
| 		{ | ||||
| 			final ScheduledThreadPoolExecutor threadPool = _scheduledPools[i]; | ||||
| 			stats.add("Scheduled pool #" + i + ":"); | ||||
| 			stats.add(" |- ActiveCount: ...... " + threadPool.getActiveCount()); | ||||
| 			stats.add(" |- CorePoolSize: ..... " + threadPool.getCorePoolSize()); | ||||
| 			stats.add(" |- PoolSize: ......... " + threadPool.getPoolSize()); | ||||
| 			stats.add(" |- LargestPoolSize: .. " + threadPool.getLargestPoolSize()); | ||||
| 			stats.add(" |- MaximumPoolSize: .. " + threadPool.getMaximumPoolSize()); | ||||
| 			stats.add(" |- CompletedTaskCount: " + threadPool.getCompletedTaskCount()); | ||||
| 			stats.add(" |- QueuedTaskCount: .. " + threadPool.getQueue().size()); | ||||
| 			stats.add(" |- TaskCount: ........ " + threadPool.getTaskCount()); | ||||
| 			stats.add(" | -------"); | ||||
| 		} | ||||
| 		for (int i = 0; i < _instantPools.length; i++) | ||||
| 		{ | ||||
| 			final ThreadPoolExecutor threadPool = _instantPools[i]; | ||||
| 			stats.add("Scheduled pool #" + i + ":"); | ||||
| 			stats.add(" |- ActiveCount: ...... " + threadPool.getActiveCount()); | ||||
| 			stats.add(" |- CorePoolSize: ..... " + threadPool.getCorePoolSize()); | ||||
| 			stats.add(" |- PoolSize: ......... " + threadPool.getPoolSize()); | ||||
| 			stats.add(" |- LargestPoolSize: .. " + threadPool.getLargestPoolSize()); | ||||
| 			stats.add(" |- MaximumPoolSize: .. " + threadPool.getMaximumPoolSize()); | ||||
| 			stats.add(" |- CompletedTaskCount: " + threadPool.getCompletedTaskCount()); | ||||
| 			stats.add(" |- QueuedTaskCount: .. " + threadPool.getQueue().size()); | ||||
| 			stats.add(" |- TaskCount: ........ " + threadPool.getTaskCount()); | ||||
| 			stats.add(" | -------"); | ||||
| 		} | ||||
| 		return stats.toArray(new String[stats.size()]); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Shutdown thread pooling system correctly. Send different informations. | ||||
| 	 */ | ||||
| 	public static void shutdown() | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			LOG.info("ThreadPoolManager: Shutting down."); | ||||
| 			 | ||||
| 			for (ScheduledThreadPoolExecutor threadPool : _scheduledPools) | ||||
| 			{ | ||||
| 				threadPool.shutdownNow(); | ||||
| 			} | ||||
| 			 | ||||
| 			for (ThreadPoolExecutor threadPool : _instantPools) | ||||
| 			{ | ||||
| 				threadPool.shutdownNow(); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Throwable t) | ||||
| 		{ | ||||
| 			t.printStackTrace(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param <T> : The pool type. | ||||
| 	 * @param threadPools : The pool array to check. | ||||
| 	 * @return the less fed pool. | ||||
| 	 */ | ||||
| 	private static <T> T getPool(T[] threadPools) | ||||
| 	{ | ||||
| 		return threadPools[_threadPoolRandomizer++ % threadPools.length]; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param delay : The delay to validate. | ||||
| 	 * @return a secured value, from 0 to MAX_DELAY. | ||||
| 	 */ | ||||
| 	private static long validate(long delay) | ||||
| 	{ | ||||
| 		return Math.max(0, Math.min(MAX_DELAY, delay)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param threadPools : The pool array to check. | ||||
| 	 * @return the overall actual pools size. | ||||
| 	 */ | ||||
| 	private static long getPoolSize(ThreadPoolExecutor[] threadPools) | ||||
| 	{ | ||||
| 		long result = 0; | ||||
| 		 | ||||
| 		for (ThreadPoolExecutor threadPool : threadPools) | ||||
| 		{ | ||||
| 			result += threadPool.getPoolSize(); | ||||
| 		} | ||||
| 		 | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param threadPools : The pool array to check. | ||||
| 	 * @return the overall maximum pools size. | ||||
| 	 */ | ||||
| 	private static long getMaximumPoolSize(ThreadPoolExecutor[] threadPools) | ||||
| 	{ | ||||
| 		long result = 0; | ||||
| 		 | ||||
| 		for (ThreadPoolExecutor threadPool : threadPools) | ||||
| 		{ | ||||
| 			result += threadPool.getMaximumPoolSize(); | ||||
| 		} | ||||
| 		 | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public static final class TaskWrapper implements Runnable | ||||
| 	{ | ||||
| 		private final Runnable _runnable; | ||||
| 		 | ||||
| 		public TaskWrapper(Runnable runnable) | ||||
| 		{ | ||||
| 			_runnable = runnable; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public void run() | ||||
| 		{ | ||||
| 			try | ||||
| 			{ | ||||
| 				_runnable.run(); | ||||
| 			} | ||||
| 			catch (RuntimeException e) | ||||
| 			{ | ||||
| 				LOG.warning("Exception in " + _runnable.getClass().getName() + " execution: " + e.getMessage()); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,811 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_FOLLOW; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
|  | ||||
| import java.util.concurrent.Future; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.GameTimeController; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Summon; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.interfaces.ILocational; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ActionFailed; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.AutoAttackStart; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.AutoAttackStop; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.Die; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.MoveToLocation; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.MoveToPawn; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.StopMove; | ||||
| import com.l2jmobius.gameserver.taskmanager.AttackStanceTaskManager; | ||||
|  | ||||
| /** | ||||
|  * Mother class of all objects AI in the world.<br> | ||||
|  * AbastractAI :<br> | ||||
|  * <li>L2CharacterAI</li> | ||||
|  */ | ||||
| public abstract class AbstractAI implements Ctrl | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(AbstractAI.class.getName()); | ||||
| 	 | ||||
| 	private NextAction _nextAction; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the _nextAction | ||||
| 	 */ | ||||
| 	public NextAction getNextAction() | ||||
| 	{ | ||||
| 		return _nextAction; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param nextAction the next action to set. | ||||
| 	 */ | ||||
| 	public void setNextAction(NextAction nextAction) | ||||
| 	{ | ||||
| 		_nextAction = nextAction; | ||||
| 	} | ||||
| 	 | ||||
| 	/** The character that this AI manages */ | ||||
| 	protected final L2Character _actor; | ||||
| 	 | ||||
| 	/** Current long-term intention */ | ||||
| 	protected CtrlIntention _intention = AI_INTENTION_IDLE; | ||||
| 	/** Current long-term intention parameter */ | ||||
| 	protected Object[] _intentionArgs = null; | ||||
| 	 | ||||
| 	/** Flags about client's state, in order to know which messages to send */ | ||||
| 	protected volatile boolean _clientMoving; | ||||
| 	/** Flags about client's state, in order to know which messages to send */ | ||||
| 	protected volatile boolean _clientAutoAttacking; | ||||
| 	/** Flags about client's state, in order to know which messages to send */ | ||||
| 	protected int _clientMovingToPawnOffset; | ||||
| 	 | ||||
| 	/** Different targets this AI maintains */ | ||||
| 	private L2Object _target; | ||||
| 	 | ||||
| 	/** The skill we are currently casting by INTENTION_CAST */ | ||||
| 	Skill _skill; | ||||
| 	L2ItemInstance _item; | ||||
| 	boolean _forceUse; | ||||
| 	boolean _dontMove; | ||||
| 	 | ||||
| 	/** Different internal state flags */ | ||||
| 	protected int _moveToPawnTimeout; | ||||
| 	 | ||||
| 	protected Future<?> _followTask = null; | ||||
| 	private static final int FOLLOW_INTERVAL = 1000; | ||||
| 	private static final int ATTACK_FOLLOW_INTERVAL = 500; | ||||
| 	 | ||||
| 	protected AbstractAI(L2Character creature) | ||||
| 	{ | ||||
| 		_actor = creature; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the L2Character managed by this Accessor AI. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public L2Character getActor() | ||||
| 	{ | ||||
| 		return _actor; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the current Intention. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public CtrlIntention getIntention() | ||||
| 	{ | ||||
| 		return _intention; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set the Intention of this AbstractAI.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : This method is USED by AI classes</B></FONT><B><U><br> | ||||
| 	 * Overridden in </U> : </B><BR> | ||||
| 	 * <B>L2AttackableAI</B> : Create an AI Task executed every 1s (if necessary)<BR> | ||||
| 	 * <B>L2PlayerAI</B> : Stores the current AI intention parameters to later restore it if necessary. | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 * @param args The first parameter of the Intention | ||||
| 	 */ | ||||
| 	synchronized void changeIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		_intention = intention; | ||||
| 		_intentionArgs = args; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch the L2CharacterAI onIntention method corresponding to the new Intention.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Stop the FOLLOW mode if necessary</B></FONT> | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public final void setIntention(CtrlIntention intention) | ||||
| 	{ | ||||
| 		setIntention(intention, null, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch the L2CharacterAI onIntention method corresponding to the new Intention.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Stop the FOLLOW mode if necessary</B></FONT> | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 * @param args The first parameters of the Intention (optional target) | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	@SafeVarargs | ||||
| 	public final void setIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		// Stop the follow mode if necessary | ||||
| 		if ((intention != AI_INTENTION_FOLLOW) && (intention != AI_INTENTION_ATTACK)) | ||||
| 		{ | ||||
| 			stopFollow(); | ||||
| 		} | ||||
| 		 | ||||
| 		// Launch the onIntention method of the L2CharacterAI corresponding to the new Intention | ||||
| 		switch (intention) | ||||
| 		{ | ||||
| 			case AI_INTENTION_IDLE: | ||||
| 			{ | ||||
| 				onIntentionIdle(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_ACTIVE: | ||||
| 			{ | ||||
| 				onIntentionActive(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_REST: | ||||
| 			{ | ||||
| 				onIntentionRest(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_ATTACK: | ||||
| 			{ | ||||
| 				onIntentionAttack((L2Character) args[0]); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_CAST: | ||||
| 			{ | ||||
| 				onIntentionCast((Skill) args[0], (L2Object) args[1], args.length > 2 ? (L2ItemInstance) args[2] : null, args.length > 3 ? (boolean) args[3] : false, args.length > 4 ? (boolean) args[4] : false); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_MOVE_TO: | ||||
| 			{ | ||||
| 				onIntentionMoveTo((Location) args[0]); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_FOLLOW: | ||||
| 			{ | ||||
| 				onIntentionFollow((L2Character) args[0]); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_PICK_UP: | ||||
| 			{ | ||||
| 				onIntentionPickUp((L2Object) args[0]); | ||||
| 				break; | ||||
| 			} | ||||
| 			case AI_INTENTION_INTERACT: | ||||
| 			{ | ||||
| 				onIntentionInteract((L2Object) args[0]); | ||||
| 				break; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// If do move or follow intention drop next action. | ||||
| 		if ((_nextAction != null) && _nextAction.getIntentions().contains(intention)) | ||||
| 		{ | ||||
| 			_nextAction = null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch the L2CharacterAI onEvt method corresponding to the Event.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : The current general intention won't be change (ex : If the character attack and is stunned, he will attack again after the stunned period)</B></FONT> | ||||
| 	 * @param evt The event whose the AI must be notified | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public final void notifyEvent(CtrlEvent evt) | ||||
| 	{ | ||||
| 		notifyEvent(evt, null, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch the L2CharacterAI onEvt method corresponding to the Event. <FONT COLOR=#FF0000><B> <U>Caution</U> : The current general intention won't be change (ex : If the character attack and is stunned, he will attack again after the stunned period)</B></FONT> | ||||
| 	 * @param evt The event whose the AI must be notified | ||||
| 	 * @param arg0 The first parameter of the Event (optional target) | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public final void notifyEvent(CtrlEvent evt, Object arg0) | ||||
| 	{ | ||||
| 		notifyEvent(evt, arg0, null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch the L2CharacterAI onEvt method corresponding to the Event. <FONT COLOR=#FF0000><B> <U>Caution</U> : The current general intention won't be change (ex : If the character attack and is stunned, he will attack again after the stunned period)</B></FONT> | ||||
| 	 * @param evt The event whose the AI must be notified | ||||
| 	 * @param arg0 The first parameter of the Event (optional target) | ||||
| 	 * @param arg1 The second parameter of the Event (optional target) | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	public final void notifyEvent(CtrlEvent evt, Object arg0, Object arg1) | ||||
| 	{ | ||||
| 		if ((!_actor.isSpawned() && !_actor.isTeleporting()) || !_actor.hasAI()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		switch (evt) | ||||
| 		{ | ||||
| 			case EVT_THINK: | ||||
| 			{ | ||||
| 				onEvtThink(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ATTACKED: | ||||
| 			{ | ||||
| 				onEvtAttacked((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_AGGRESSION: | ||||
| 			{ | ||||
| 				onEvtAggression((L2Character) arg0, ((Number) arg1).intValue()); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ACTION_BLOCKED: | ||||
| 			{ | ||||
| 				onEvtActionBlocked((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ROOTED: | ||||
| 			{ | ||||
| 				onEvtRooted((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_CONFUSED: | ||||
| 			{ | ||||
| 				onEvtConfused((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_MUTED: | ||||
| 			{ | ||||
| 				onEvtMuted((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_EVADED: | ||||
| 			{ | ||||
| 				onEvtEvaded((L2Character) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_READY_TO_ACT: | ||||
| 			{ | ||||
| 				if (!_actor.isCastingNow()) | ||||
| 				{ | ||||
| 					onEvtReadyToAct(); | ||||
| 				} | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ARRIVED: | ||||
| 			{ | ||||
| 				// happens e.g. from stopmove but we don't process it if we're casting | ||||
| 				if (!_actor.isCastingNow()) | ||||
| 				{ | ||||
| 					onEvtArrived(); | ||||
| 				} | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ARRIVED_REVALIDATE: | ||||
| 			{ | ||||
| 				// this is disregarded if the char is not moving any more | ||||
| 				if (_actor.isMoving()) | ||||
| 				{ | ||||
| 					onEvtArrivedRevalidate(); | ||||
| 				} | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_ARRIVED_BLOCKED: | ||||
| 			{ | ||||
| 				onEvtArrivedBlocked((Location) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_FORGET_OBJECT: | ||||
| 			{ | ||||
| 				onEvtForgetObject((L2Object) arg0); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_CANCEL: | ||||
| 			{ | ||||
| 				onEvtCancel(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_DEAD: | ||||
| 			{ | ||||
| 				onEvtDead(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_FAKE_DEATH: | ||||
| 			{ | ||||
| 				onEvtFakeDeath(); | ||||
| 				break; | ||||
| 			} | ||||
| 			case EVT_FINISH_CASTING: | ||||
| 			{ | ||||
| 				onEvtFinishCasting(); | ||||
| 				break; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Do next action. | ||||
| 		if ((_nextAction != null) && _nextAction.getEvents().contains(evt)) | ||||
| 		{ | ||||
| 			_nextAction.doAction(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	protected abstract void onIntentionIdle(); | ||||
| 	 | ||||
| 	protected abstract void onIntentionActive(); | ||||
| 	 | ||||
| 	protected abstract void onIntentionRest(); | ||||
| 	 | ||||
| 	protected abstract void onIntentionAttack(L2Character target); | ||||
| 	 | ||||
| 	protected abstract void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove); | ||||
| 	 | ||||
| 	protected abstract void onIntentionMoveTo(Location destination); | ||||
| 	 | ||||
| 	protected abstract void onIntentionFollow(L2Character target); | ||||
| 	 | ||||
| 	protected abstract void onIntentionPickUp(L2Object item); | ||||
| 	 | ||||
| 	protected abstract void onIntentionInteract(L2Object object); | ||||
| 	 | ||||
| 	protected abstract void onEvtThink(); | ||||
| 	 | ||||
| 	protected abstract void onEvtAttacked(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtAggression(L2Character target, int aggro); | ||||
| 	 | ||||
| 	protected abstract void onEvtActionBlocked(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtRooted(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtConfused(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtMuted(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtEvaded(L2Character attacker); | ||||
| 	 | ||||
| 	protected abstract void onEvtReadyToAct(); | ||||
| 	 | ||||
| 	protected abstract void onEvtArrived(); | ||||
| 	 | ||||
| 	protected abstract void onEvtArrivedRevalidate(); | ||||
| 	 | ||||
| 	protected abstract void onEvtArrivedBlocked(Location blocked_at_pos); | ||||
| 	 | ||||
| 	protected abstract void onEvtForgetObject(L2Object object); | ||||
| 	 | ||||
| 	protected abstract void onEvtCancel(); | ||||
| 	 | ||||
| 	protected abstract void onEvtDead(); | ||||
| 	 | ||||
| 	protected abstract void onEvtFakeDeath(); | ||||
| 	 | ||||
| 	protected abstract void onEvtFinishCasting(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Cancel action client side by sending Server->Client packet ActionFailed to the L2PcInstance actor. <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 */ | ||||
| 	protected void clientActionFailed() | ||||
| 	{ | ||||
| 		if (_actor instanceof L2PcInstance) | ||||
| 		{ | ||||
| 			_actor.sendPacket(ActionFailed.STATIC_PACKET); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Move the actor to Pawn server side AND client side by sending Server->Client packet MoveToPawn <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 * @param pawn | ||||
| 	 * @param offset | ||||
| 	 */ | ||||
| 	protected void moveToPawn(L2Object pawn, int offset) | ||||
| 	{ | ||||
| 		// Check if actor can move | ||||
| 		if (!_actor.isMovementDisabled()) | ||||
| 		{ | ||||
| 			if (offset < 10) | ||||
| 			{ | ||||
| 				offset = 10; | ||||
| 			} | ||||
| 			 | ||||
| 			// prevent possible extra calls to this function (there is none?), | ||||
| 			// also don't send movetopawn packets too often | ||||
| 			if (_clientMoving && (_target == pawn)) | ||||
| 			{ | ||||
| 				if (_clientMovingToPawnOffset == offset) | ||||
| 				{ | ||||
| 					if (GameTimeController.getInstance().getGameTicks() < _moveToPawnTimeout) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 				else if (_actor.isOnGeodataPath()) | ||||
| 				{ | ||||
| 					// minimum time to calculate new route is 2 seconds | ||||
| 					if (GameTimeController.getInstance().getGameTicks() < (_moveToPawnTimeout + 10)) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			// Set AI movement data | ||||
| 			_clientMoving = true; | ||||
| 			_clientMovingToPawnOffset = offset; | ||||
| 			_target = pawn; | ||||
| 			_moveToPawnTimeout = GameTimeController.getInstance().getGameTicks(); | ||||
| 			_moveToPawnTimeout += 1000 / GameTimeController.MILLIS_IN_TICK; | ||||
| 			 | ||||
| 			if (pawn == null) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Calculate movement data for a move to location action and add the actor to movingObjects of GameTimeController | ||||
| 			_actor.moveToLocation(pawn.getX(), pawn.getY(), pawn.getZ(), offset); | ||||
| 			 | ||||
| 			if (!_actor.isMoving()) | ||||
| 			{ | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Send a Server->Client packet MoveToPawn/CharMoveToLocation to the actor and all L2PcInstance in its _knownPlayers | ||||
| 			if (pawn.isCharacter()) | ||||
| 			{ | ||||
| 				if (_actor.isOnGeodataPath()) | ||||
| 				{ | ||||
| 					_actor.broadcastPacket(new MoveToLocation(_actor)); | ||||
| 					_clientMovingToPawnOffset = 0; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_actor.broadcastPacket(new MoveToPawn(_actor, pawn, offset)); | ||||
| 				} | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				_actor.broadcastPacket(new MoveToLocation(_actor)); | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void moveTo(ILocational loc) | ||||
| 	{ | ||||
| 		moveTo(loc.getX(), loc.getY(), loc.getZ()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Move the actor to Location (x,y,z) server side AND client side by sending Server->Client packet CharMoveToLocation <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 * @param x | ||||
| 	 * @param y | ||||
| 	 * @param z | ||||
| 	 */ | ||||
| 	protected void moveTo(int x, int y, int z) | ||||
| 	{ | ||||
| 		// Chek if actor can move | ||||
| 		if (!_actor.isMovementDisabled()) | ||||
| 		{ | ||||
| 			// Set AI movement data | ||||
| 			_clientMoving = true; | ||||
| 			_clientMovingToPawnOffset = 0; | ||||
| 			 | ||||
| 			// Calculate movement data for a move to location action and add the actor to movingObjects of GameTimeController | ||||
| 			_actor.moveToLocation(x, y, z, 0); | ||||
| 			 | ||||
| 			// Send a Server->Client packet CharMoveToLocation to the actor and all L2PcInstance in its _knownPlayers | ||||
| 			_actor.broadcastPacket(new MoveToLocation(_actor)); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Stop the actor movement server side AND client side by sending Server->Client packet StopMove/StopRotation <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 * @param loc | ||||
| 	 */ | ||||
| 	public void clientStopMoving(Location loc) | ||||
| 	{ | ||||
| 		// Stop movement of the L2Character | ||||
| 		if (_actor.isMoving()) | ||||
| 		{ | ||||
| 			_actor.stopMove(loc); | ||||
| 		} | ||||
| 		 | ||||
| 		_clientMovingToPawnOffset = 0; | ||||
| 		_clientMoving = false; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Client has already arrived to target, no need to force StopMove packet. | ||||
| 	 */ | ||||
| 	protected void clientStoppedMoving() | ||||
| 	{ | ||||
| 		if (_clientMovingToPawnOffset > 0) // movetoPawn needs to be stopped | ||||
| 		{ | ||||
| 			_clientMovingToPawnOffset = 0; | ||||
| 			_actor.broadcastPacket(new StopMove(_actor)); | ||||
| 		} | ||||
| 		_clientMoving = false; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isAutoAttacking() | ||||
| 	{ | ||||
| 		return _clientAutoAttacking; | ||||
| 	} | ||||
| 	 | ||||
| 	public void setAutoAttacking(boolean isAutoAttacking) | ||||
| 	{ | ||||
| 		if (_actor.isSummon()) | ||||
| 		{ | ||||
| 			final L2Summon summon = (L2Summon) _actor; | ||||
| 			if (summon.getOwner() != null) | ||||
| 			{ | ||||
| 				summon.getOwner().getAI().setAutoAttacking(isAutoAttacking); | ||||
| 			} | ||||
| 			return; | ||||
| 		} | ||||
| 		_clientAutoAttacking = isAutoAttacking; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Start the actor Auto Attack client side by sending Server->Client packet AutoAttackStart <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 */ | ||||
| 	public void clientStartAutoAttack() | ||||
| 	{ | ||||
| 		if (_actor.isSummon()) | ||||
| 		{ | ||||
| 			final L2Summon summon = (L2Summon) _actor; | ||||
| 			if (summon.getOwner() != null) | ||||
| 			{ | ||||
| 				summon.getOwner().getAI().clientStartAutoAttack(); | ||||
| 			} | ||||
| 			return; | ||||
| 		} | ||||
| 		if (!isAutoAttacking()) | ||||
| 		{ | ||||
| 			if (_actor.isPlayer() && _actor.hasSummon()) | ||||
| 			{ | ||||
| 				final L2Summon pet = _actor.getPet(); | ||||
| 				if (pet != null) | ||||
| 				{ | ||||
| 					pet.broadcastPacket(new AutoAttackStart(pet.getObjectId())); | ||||
| 				} | ||||
| 				_actor.getServitors().values().forEach(s -> s.broadcastPacket(new AutoAttackStart(s.getObjectId()))); | ||||
| 			} | ||||
| 			// Send a Server->Client packet AutoAttackStart to the actor and all L2PcInstance in its _knownPlayers | ||||
| 			_actor.broadcastPacket(new AutoAttackStart(_actor.getObjectId())); | ||||
| 			setAutoAttacking(true); | ||||
| 		} | ||||
| 		AttackStanceTaskManager.getInstance().addAttackStanceTask(_actor); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Stop the actor auto-attack client side by sending Server->Client packet AutoAttackStop <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 */ | ||||
| 	public void clientStopAutoAttack() | ||||
| 	{ | ||||
| 		if (_actor.isSummon()) | ||||
| 		{ | ||||
| 			final L2Summon summon = (L2Summon) _actor; | ||||
| 			if (summon.getOwner() != null) | ||||
| 			{ | ||||
| 				summon.getOwner().getAI().clientStopAutoAttack(); | ||||
| 			} | ||||
| 			return; | ||||
| 		} | ||||
| 		if (_actor instanceof L2PcInstance) | ||||
| 		{ | ||||
| 			if (!AttackStanceTaskManager.getInstance().hasAttackStanceTask(_actor) && isAutoAttacking()) | ||||
| 			{ | ||||
| 				AttackStanceTaskManager.getInstance().addAttackStanceTask(_actor); | ||||
| 			} | ||||
| 		} | ||||
| 		else if (isAutoAttacking()) | ||||
| 		{ | ||||
| 			_actor.broadcastPacket(new AutoAttackStop(_actor.getObjectId())); | ||||
| 			setAutoAttacking(false); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Kill the actor client side by sending Server->Client packet AutoAttackStop, StopMove/StopRotation, Die <I>(broadcast)</I>.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 */ | ||||
| 	protected void clientNotifyDead() | ||||
| 	{ | ||||
| 		// Send a Server->Client packet Die to the actor and all L2PcInstance in its _knownPlayers | ||||
| 		final Die msg = new Die(_actor); | ||||
| 		_actor.broadcastPacket(msg); | ||||
| 		 | ||||
| 		// Init AI | ||||
| 		_intention = AI_INTENTION_IDLE; | ||||
| 		_target = null; | ||||
| 		 | ||||
| 		// Cancel the follow task if necessary | ||||
| 		stopFollow(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Update the state of this actor client side by sending Server->Client packet MoveToPawn/CharMoveToLocation and AutoAttackStart to the L2PcInstance player.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : Low level function, used by AI subclasses</B></FONT> | ||||
| 	 * @param player The L2PcIstance to notify with state of this L2Character | ||||
| 	 */ | ||||
| 	public void describeStateToPlayer(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (getActor().isVisibleFor(player)) | ||||
| 		{ | ||||
| 			if (_clientMoving) | ||||
| 			{ | ||||
| 				if ((_clientMovingToPawnOffset != 0) && isFollowing()) | ||||
| 				{ | ||||
| 					// Send a Server->Client packet MoveToPawn to the actor and all L2PcInstance in its _knownPlayers | ||||
| 					player.sendPacket(new MoveToPawn(_actor, _target, _clientMovingToPawnOffset)); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					// Send a Server->Client packet CharMoveToLocation to the actor and all L2PcInstance in its _knownPlayers | ||||
| 					player.sendPacket(new MoveToLocation(_actor)); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isFollowing() | ||||
| 	{ | ||||
| 		return (getTarget() instanceof L2Character) && (getIntention() == CtrlIntention.AI_INTENTION_FOLLOW); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Create and Launch an AI Follow Task to execute every 1s. | ||||
| 	 * @param target The L2Character to follow | ||||
| 	 */ | ||||
| 	public synchronized void startFollow(L2Character target) | ||||
| 	{ | ||||
| 		startFollow(target, -1); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Create and Launch an AI Follow Task to execute every 0.5s, following at specified range. | ||||
| 	 * @param target The L2Character to follow | ||||
| 	 * @param range | ||||
| 	 */ | ||||
| 	public synchronized void startFollow(L2Character target, int range) | ||||
| 	{ | ||||
| 		if (_followTask != null) | ||||
| 		{ | ||||
| 			_followTask.cancel(false); | ||||
| 			_followTask = null; | ||||
| 		} | ||||
| 		 | ||||
| 		setTarget(target); | ||||
| 		 | ||||
| 		final int followRange = range == -1 ? Rnd.get(50, 100) : range; | ||||
| 		_followTask = ThreadPoolManager.scheduleAtFixedRate(() -> | ||||
| 		{ | ||||
| 			try | ||||
| 			{ | ||||
| 				if (_followTask == null) | ||||
| 				{ | ||||
| 					return; | ||||
| 				} | ||||
| 				 | ||||
| 				final L2Object followTarget = getTarget(); // copy to prevent NPE | ||||
| 				if (followTarget == null) | ||||
| 				{ | ||||
| 					if (_actor.isSummon()) | ||||
| 					{ | ||||
| 						((L2Summon) _actor).setFollowStatus(false); | ||||
| 					} | ||||
| 					setIntention(AI_INTENTION_IDLE); | ||||
| 					return; | ||||
| 				} | ||||
| 				 | ||||
| 				if (!_actor.isInsideRadius(followTarget, followRange, true, false)) | ||||
| 				{ | ||||
| 					if (!_actor.isInsideRadius(followTarget, 3000, true, false)) | ||||
| 					{ | ||||
| 						// if the target is too far (maybe also teleported) | ||||
| 						if (_actor.isSummon()) | ||||
| 						{ | ||||
| 							((L2Summon) _actor).setFollowStatus(false); | ||||
| 						} | ||||
| 						 | ||||
| 						setIntention(AI_INTENTION_IDLE); | ||||
| 						return; | ||||
| 					} | ||||
| 					 | ||||
| 					moveToPawn(followTarget, followRange); | ||||
| 				} | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.warning("Error: " + e.getMessage()); | ||||
| 			} | ||||
| 		}, 5, range == -1 ? FOLLOW_INTERVAL : ATTACK_FOLLOW_INTERVAL); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Stop an AI Follow Task. | ||||
| 	 */ | ||||
| 	public synchronized void stopFollow() | ||||
| 	{ | ||||
| 		if (_followTask != null) | ||||
| 		{ | ||||
| 			// Stop the Follow Task | ||||
| 			_followTask.cancel(false); | ||||
| 			_followTask = null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void setTarget(L2Object target) | ||||
| 	{ | ||||
| 		_target = target; | ||||
| 	} | ||||
| 	 | ||||
| 	public L2Object getTarget() | ||||
| 	{ | ||||
| 		return _target; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Stop all Ai tasks and futures. | ||||
| 	 */ | ||||
| 	public void stopAITask() | ||||
| 	{ | ||||
| 		stopFollow(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public String toString() | ||||
| 	{ | ||||
| 		return "Actor: " + _actor; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,90 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
|  | ||||
| /** | ||||
|  * Interface of AI and client state.<br> | ||||
|  * To correctly send messages to client we need it's state.<br> | ||||
|  * For example, if we've sent 'StartAutoAttack' message, we need to send 'StopAutoAttack' message before any other action.<br> | ||||
|  * Or if we've sent 'MoveToPawn', we need to send 'StopMove' when the movement of a character is canceled (by Root spell or any other reason).<br> | ||||
|  * Thus, we need to know the state of client, i.e. which messages we've sent and how the client will show the scene.<br> | ||||
|  * Close to this task is the task of AI.<br> | ||||
|  * If a player's character is attacking a mob, his ATTACK may be interrupted by an event, that temporary disable attacking.<br> | ||||
|  * But when the possibility to ATTACK will be enabled, the character must continue the ATTACK.<br> | ||||
|  * For mobs it may be more complex, since we want them to decide when to use magic, or when to follow the player for physical combat, or when to escape, to help another mob, etc.<br> | ||||
|  * This interface is hiding complexity of server<->client interaction and multiple states of a character.<br> | ||||
|  * It allows to set a desired, simple "wish" of a character, and the implementation of this interface will take care about the rest.<br> | ||||
|  * The goal of a character may be like "ATTACK", "random walk" and so on.<br> | ||||
|  * To reach the goal implementation will split it into several small actions, several steps (possibly repeatable).<br> | ||||
|  * Like "run to target" then "hit it", then if target is not dead - repeat.<br> | ||||
|  * This flow of simpler steps may be interrupted by incoming events.<br> | ||||
|  * Like a character's movement was disabled (by Root spell, for instance).<br> | ||||
|  * Depending on character's ability AI may choose to wait, or to use magic ATTACK and so on.<br> | ||||
|  * Additionally incoming events are compared with client's state of the character,<br> | ||||
|  * and required network messages are sent to client's, i.e. if we have incoming event that character's movement was disabled, it causes changing if its behavior,<br> | ||||
|  * and if client's state for the character is "moving" we send messages to clients to stop the avatar/mob. | ||||
|  */ | ||||
| public interface Ctrl | ||||
| { | ||||
| 	/** | ||||
| 	 * Gets the actor. | ||||
| 	 * @return the actor | ||||
| 	 */ | ||||
| 	L2Character getActor(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the intention. | ||||
| 	 * @return the intention | ||||
| 	 */ | ||||
| 	CtrlIntention getIntention(); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set general state/intention for AI, with optional data. | ||||
| 	 * @param intention the new intention | ||||
| 	 */ | ||||
| 	void setIntention(CtrlIntention intention); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Sets the intention. | ||||
| 	 * @param intention the intention | ||||
| 	 * @param args | ||||
| 	 */ | ||||
| 	void setIntention(CtrlIntention intention, Object... args); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Event, that notifies about previous step result, or user command, that does not change current general intention. | ||||
| 	 * @param evt the event | ||||
| 	 */ | ||||
| 	void notifyEvent(CtrlEvent evt); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Notify an event. | ||||
| 	 * @param evt the event | ||||
| 	 * @param arg0 the arg0 | ||||
| 	 */ | ||||
| 	void notifyEvent(CtrlEvent evt, Object arg0); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Notify an event. | ||||
| 	 * @param evt the event | ||||
| 	 * @param arg0 the arg0 | ||||
| 	 * @param arg1 the arg1 | ||||
| 	 */ | ||||
| 	void notifyEvent(CtrlEvent evt, Object arg0, Object arg1); | ||||
| } | ||||
| @@ -0,0 +1,80 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| /** | ||||
|  * This class contains an enum of each possibles events that can happen on an AI character. | ||||
|  */ | ||||
| public enum CtrlEvent | ||||
| { | ||||
| 	/** | ||||
| 	 * Something has changed, usually a previous step has being completed or maybe was completed, the AI must thing on next action. | ||||
| 	 */ | ||||
| 	EVT_THINK, | ||||
| 	/** | ||||
| 	 * The actor was attacked. This event comes each time a physical or magical<br> | ||||
| 	 * attack was done on the actor. NPC may start attack in response, or ignore<br> | ||||
| 	 * this event if they already attack someone, or change target and so on. | ||||
| 	 */ | ||||
| 	EVT_ATTACKED, | ||||
| 	/** Increase/decrease aggression towards a target, or reduce global aggression if target is null */ | ||||
| 	EVT_AGGRESSION, | ||||
| 	/** Actor is in stun state */ | ||||
| 	EVT_ACTION_BLOCKED, | ||||
| 	/** Actor is in rooted state (cannot move) */ | ||||
| 	EVT_ROOTED, | ||||
| 	/** Actor evaded hit **/ | ||||
| 	EVT_EVADED, | ||||
| 	/** | ||||
| 	 * An event that previous action was completed. The action may be an attempt to physically/magically hit an enemy, or an action that discarded attack attempt has finished. | ||||
| 	 */ | ||||
| 	EVT_READY_TO_ACT, | ||||
| 	/** | ||||
| 	 * The actor arrived to assigned location, or it's a time to modify movement destination (follow, interact, random move and others intentions). | ||||
| 	 */ | ||||
| 	EVT_ARRIVED, | ||||
| 	/** | ||||
| 	 * The actor arrived to an intermediate point, and needs to revalidate destination. This is sent when follow/move to pawn if destination is far away. | ||||
| 	 */ | ||||
| 	EVT_ARRIVED_REVALIDATE, | ||||
| 	/** The actor cannot move anymore. */ | ||||
| 	EVT_ARRIVED_BLOCKED, | ||||
| 	/** Forgets an object (if it's used as attack target, follow target and so on */ | ||||
| 	EVT_FORGET_OBJECT, | ||||
| 	/** | ||||
| 	 * Attempt to cancel current step execution, but not change the intention.<br> | ||||
| 	 * For example, the actor was put into a stun, so it's current attack<br> | ||||
| 	 * or movement has to be canceled. But after the stun state expired,<br> | ||||
| 	 * the actor may try to attack again. Another usage for CANCEL is a user's<br> | ||||
| 	 * attempt to cancel a cast/bow attack and so on. | ||||
| 	 */ | ||||
| 	EVT_CANCEL, | ||||
| 	/** The character is dead */ | ||||
| 	EVT_DEAD, | ||||
| 	/** The character looks like dead */ | ||||
| 	EVT_FAKE_DEATH, | ||||
| 	/** The character attack anyone randomly **/ | ||||
| 	EVT_CONFUSED, | ||||
| 	/** The character cannot cast spells anymore **/ | ||||
| 	EVT_MUTED, | ||||
| 	/** The character flee in random directions **/ | ||||
| 	EVT_AFRAID, | ||||
| 	/** The character finish casting **/ | ||||
| 	EVT_FINISH_CASTING, | ||||
| 	/** The character betrayed its master */ | ||||
| 	EVT_BETRAYED | ||||
| } | ||||
| @@ -0,0 +1,42 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| /** | ||||
|  * Enumeration of generic intentions of an NPC/PC, an intention may require several steps to be completed. | ||||
|  */ | ||||
| public enum CtrlIntention | ||||
| { | ||||
| 	/** Do nothing, disconnect AI of NPC if no players around */ | ||||
| 	AI_INTENTION_IDLE, | ||||
| 	/** Alerted state without goal : scan attackable targets, random walk, etc */ | ||||
| 	AI_INTENTION_ACTIVE, | ||||
| 	/** Rest (sit until attacked) */ | ||||
| 	AI_INTENTION_REST, | ||||
| 	/** Attack target (cast combat magic, go to target, combat), may be ignored, if target is locked on another character or a peaceful zone and so on. */ | ||||
| 	AI_INTENTION_ATTACK, | ||||
| 	/** Cast a spell, depending on the spell - may start or stop attacking */ | ||||
| 	AI_INTENTION_CAST, | ||||
| 	/** Just move to another location */ | ||||
| 	AI_INTENTION_MOVE_TO, | ||||
| 	/** Like move, but check target's movement and follow it */ | ||||
| 	AI_INTENTION_FOLLOW, | ||||
| 	/** PickUp and item, (got to item, pickup it, become idle */ | ||||
| 	AI_INTENTION_PICK_UP, | ||||
| 	/** Move to target, then interact */ | ||||
| 	AI_INTENTION_INTERACT; | ||||
| } | ||||
| @@ -0,0 +1,281 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_FOLLOW; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.GameTimeController; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.DoppelgangerInstance; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.model.skills.SkillCaster; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.MoveToLocation; | ||||
|  | ||||
| public class DoppelgangerAI extends L2CharacterAI | ||||
| { | ||||
| 	private volatile boolean _thinking; // to prevent recursive thinking | ||||
| 	private volatile boolean _startFollow; | ||||
| 	private L2Character _lastAttack = null; | ||||
| 	 | ||||
| 	public DoppelgangerAI(DoppelgangerInstance clone) | ||||
| 	{ | ||||
| 		super(clone); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionIdle() | ||||
| 	{ | ||||
| 		stopFollow(); | ||||
| 		_startFollow = false; | ||||
| 		onIntentionActive(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionActive() | ||||
| 	{ | ||||
| 		if (_startFollow) | ||||
| 		{ | ||||
| 			setIntention(AI_INTENTION_FOLLOW, getActor().getSummoner()); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			super.onIntentionActive(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkAttack() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		final L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		 | ||||
| 		if (checkTargetLostOrDead(attackTarget)) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, _actor.getPhysicalAttackRange())) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		clientStopMoving(null); | ||||
| 		_actor.doAttack(attackTarget); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkCast() | ||||
| 	{ | ||||
| 		if (_actor.isCastingNow(SkillCaster::isAnyNormalType)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Object target = _skill.getTarget(_actor, _forceUse, _dontMove, false); | ||||
| 		 | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			return; | ||||
| 		} | ||||
| 		final boolean val = _startFollow; | ||||
| 		if (maybeMoveToPawn(target, _actor.getMagicalAttackRange(_skill))) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		getActor().followSummoner(false); | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 		_startFollow = val; | ||||
| 		_actor.doCast(_skill, _item, _forceUse, _dontMove); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkInteract() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, 36)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		if (_thinking || _actor.isCastingNow() || _actor.isAllSkillsDisabled()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		_thinking = true; | ||||
| 		try | ||||
| 		{ | ||||
| 			switch (getIntention()) | ||||
| 			{ | ||||
| 				case AI_INTENTION_ATTACK: | ||||
| 				{ | ||||
| 					thinkAttack(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_INTENTION_CAST: | ||||
| 				{ | ||||
| 					thinkCast(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_INTENTION_INTERACT: | ||||
| 				{ | ||||
| 					thinkInteract(); | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			_thinking = false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtFinishCasting() | ||||
| 	{ | ||||
| 		if (_lastAttack == null) | ||||
| 		{ | ||||
| 			getActor().followSummoner(_startFollow); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			setIntention(CtrlIntention.AI_INTENTION_ATTACK, _lastAttack); | ||||
| 			_lastAttack = null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void notifyFollowStatusChange() | ||||
| 	{ | ||||
| 		_startFollow = !_startFollow; | ||||
| 		switch (getIntention()) | ||||
| 		{ | ||||
| 			case AI_INTENTION_ACTIVE: | ||||
| 			case AI_INTENTION_FOLLOW: | ||||
| 			case AI_INTENTION_IDLE: | ||||
| 			case AI_INTENTION_MOVE_TO: | ||||
| 			case AI_INTENTION_PICK_UP: | ||||
| 			{ | ||||
| 				getActor().followSummoner(_startFollow); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void setStartFollowController(boolean val) | ||||
| 	{ | ||||
| 		_startFollow = val; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove) | ||||
| 	{ | ||||
| 		if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 		{ | ||||
| 			_lastAttack = (getTarget() != null) && getTarget().isCharacter() ? (L2Character) getTarget() : null; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_lastAttack = null; | ||||
| 		} | ||||
| 		super.onIntentionCast(skill, target, item, forceUse, dontMove); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void moveToPawn(L2Object pawn, int offset) | ||||
| 	{ | ||||
| 		// Check if actor can move | ||||
| 		if (!_actor.isMovementDisabled() && (_actor.getMoveSpeed() > 0)) | ||||
| 		{ | ||||
| 			if (offset < 10) | ||||
| 			{ | ||||
| 				offset = 10; | ||||
| 			} | ||||
| 			 | ||||
| 			// prevent possible extra calls to this function (there is none?), | ||||
| 			// also don't send movetopawn packets too often | ||||
| 			boolean sendPacket = true; | ||||
| 			if (_clientMoving && (getTarget() == pawn)) | ||||
| 			{ | ||||
| 				if (_clientMovingToPawnOffset == offset) | ||||
| 				{ | ||||
| 					if (GameTimeController.getInstance().getGameTicks() < _moveToPawnTimeout) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 					sendPacket = false; | ||||
| 				} | ||||
| 				else if (_actor.isOnGeodataPath()) | ||||
| 				{ | ||||
| 					// minimum time to calculate new route is 2 seconds | ||||
| 					if (GameTimeController.getInstance().getGameTicks() < (_moveToPawnTimeout + 10)) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			// Set AI movement data | ||||
| 			_clientMoving = true; | ||||
| 			_clientMovingToPawnOffset = offset; | ||||
| 			setTarget(pawn); | ||||
| 			_moveToPawnTimeout = GameTimeController.getInstance().getGameTicks(); | ||||
| 			_moveToPawnTimeout += 1000 / GameTimeController.MILLIS_IN_TICK; | ||||
| 			 | ||||
| 			if (pawn == null) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Calculate movement data for a move to location action and add the actor to movingObjects of GameTimeController | ||||
| 			// _actor.moveToLocation(pawn.getX(), pawn.getY(), pawn.getZ(), offset); | ||||
| 			final Location loc = new Location(pawn.getX() + Rnd.get(-offset, offset), pawn.getY() + Rnd.get(-offset, offset), pawn.getZ()); | ||||
| 			_actor.moveToLocation(loc.getX(), loc.getY(), loc.getZ(), 0); | ||||
| 			 | ||||
| 			if (!_actor.isMoving()) | ||||
| 			{ | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Doppelgangers always send MoveToLocation packet. | ||||
| 			if (sendPacket) | ||||
| 			{ | ||||
| 				_actor.broadcastPacket(new MoveToLocation(_actor)); | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public DoppelgangerInstance getActor() | ||||
| 	{ | ||||
| 		return (DoppelgangerInstance) super.getActor(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,239 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ACTIVE; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_REST; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.geoengine.GeoEngine; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Attackable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
|  | ||||
| /** | ||||
|  * @author Sdw | ||||
|  */ | ||||
| public class FriendlyNpcAI extends L2AttackableAI | ||||
| { | ||||
| 	public FriendlyNpcAI(L2Attackable attackable) | ||||
| 	{ | ||||
| 		super(attackable); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		 | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAggression(L2Character target, int aggro) | ||||
| 	{ | ||||
| 		 | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 		if (target == null) | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (getIntention() == AI_INTENTION_REST) | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (_actor.isAllSkillsDisabled() || _actor.isCastingNow() || _actor.isControlBlocked()) | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention of this AbstractAI to AI_INTENTION_ATTACK | ||||
| 		changeIntention(AI_INTENTION_ATTACK, target); | ||||
| 		 | ||||
| 		// Set the AI attack target | ||||
| 		setTarget(target); | ||||
| 		 | ||||
| 		stopFollow(); | ||||
| 		 | ||||
| 		// Launch the Think Event | ||||
| 		notifyEvent(CtrlEvent.EVT_THINK, null); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void thinkAttack() | ||||
| 	{ | ||||
| 		final L2Attackable npc = getActiveChar(); | ||||
| 		if (npc.isCastingNow() || npc.isCoreAIDisabled()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Object target = getTarget(); | ||||
| 		final L2Character originalAttackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		// Check if target is dead or if timeout is expired to stop this attack | ||||
| 		if ((originalAttackTarget == null) || originalAttackTarget.isAlikeDead()) | ||||
| 		{ | ||||
| 			// Stop hating this target after the attack timeout or if target is dead | ||||
| 			if (originalAttackTarget != null) | ||||
| 			{ | ||||
| 				npc.stopHating(originalAttackTarget); | ||||
| 			} | ||||
| 			 | ||||
| 			// Set the AI Intention to AI_INTENTION_ACTIVE | ||||
| 			setIntention(AI_INTENTION_ACTIVE); | ||||
| 			 | ||||
| 			npc.setWalking(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final int collision = npc.getTemplate().getCollisionRadius(); | ||||
| 		 | ||||
| 		setTarget(originalAttackTarget); | ||||
| 		 | ||||
| 		final int combinedCollision = collision + originalAttackTarget.getTemplate().getCollisionRadius(); | ||||
| 		 | ||||
| 		if (!npc.isMovementDisabled() && (Rnd.nextInt(100) <= 3)) | ||||
| 		{ | ||||
| 			for (L2Attackable nearby : L2World.getInstance().getVisibleObjects(npc, L2Attackable.class)) | ||||
| 			{ | ||||
| 				if (npc.isInsideRadius(nearby, collision, false, false) && (nearby != originalAttackTarget)) | ||||
| 				{ | ||||
| 					int newX = combinedCollision + Rnd.get(40); | ||||
| 					if (Rnd.nextBoolean()) | ||||
| 					{ | ||||
| 						newX = originalAttackTarget.getX() + newX; | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						newX = originalAttackTarget.getX() - newX; | ||||
| 					} | ||||
| 					int newY = combinedCollision + Rnd.get(40); | ||||
| 					if (Rnd.nextBoolean()) | ||||
| 					{ | ||||
| 						newY = originalAttackTarget.getY() + newY; | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						newY = originalAttackTarget.getY() - newY; | ||||
| 					} | ||||
| 					 | ||||
| 					if (!npc.isInsideRadius(newX, newY, 0, collision, false, false)) | ||||
| 					{ | ||||
| 						final int newZ = npc.getZ() + 30; | ||||
| 						if (GeoEngine.getInstance().canMoveToTarget(npc.getX(), npc.getY(), npc.getZ(), newX, newY, newZ, npc.getInstanceWorld())) | ||||
| 						{ | ||||
| 							moveTo(newX, newY, newZ); | ||||
| 						} | ||||
| 					} | ||||
| 					return; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		// Dodge if its needed | ||||
| 		if (!npc.isMovementDisabled() && (npc.getTemplate().getDodge() > 0)) | ||||
| 		{ | ||||
| 			if (Rnd.get(100) <= npc.getTemplate().getDodge()) | ||||
| 			{ | ||||
| 				final double distance2 = npc.calculateDistance(originalAttackTarget, false, true); | ||||
| 				if (Math.sqrt(distance2) <= (60 + combinedCollision)) | ||||
| 				{ | ||||
| 					int posX = npc.getX(); | ||||
| 					int posY = npc.getY(); | ||||
| 					final int posZ = npc.getZ() + 30; | ||||
| 					 | ||||
| 					if (originalAttackTarget.getX() < posX) | ||||
| 					{ | ||||
| 						posX = posX + 300; | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						posX = posX - 300; | ||||
| 					} | ||||
| 					 | ||||
| 					if (originalAttackTarget.getY() < posY) | ||||
| 					{ | ||||
| 						posY = posY + 300; | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						posY = posY - 300; | ||||
| 					} | ||||
| 					 | ||||
| 					if (GeoEngine.getInstance().canMoveToTarget(npc.getX(), npc.getY(), npc.getZ(), posX, posY, posZ, npc.getInstanceWorld())) | ||||
| 					{ | ||||
| 						setIntention(CtrlIntention.AI_INTENTION_MOVE_TO, new Location(posX, posY, posZ, 0)); | ||||
| 					} | ||||
| 					return; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		final double dist = npc.calculateDistance(originalAttackTarget, false, false); | ||||
| 		final int dist2 = (int) dist - collision; | ||||
| 		int range = npc.getPhysicalAttackRange() + combinedCollision; | ||||
| 		if (originalAttackTarget.isMoving()) | ||||
| 		{ | ||||
| 			range = range + 50; | ||||
| 			if (npc.isMoving()) | ||||
| 			{ | ||||
| 				range = range + 50; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if ((dist2 > range) || !GeoEngine.getInstance().canSeeTarget(npc, originalAttackTarget)) | ||||
| 		{ | ||||
| 			if (originalAttackTarget.isMoving()) | ||||
| 			{ | ||||
| 				range -= 100; | ||||
| 			} | ||||
| 			if (range < 5) | ||||
| 			{ | ||||
| 				range = 5; | ||||
| 			} | ||||
| 			moveToPawn(originalAttackTarget, range); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_actor.doAttack(originalAttackTarget); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void thinkCast() | ||||
| 	{ | ||||
| 		final L2Object target = _skill.getTarget(_actor, _forceUse, _dontMove, false); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, _actor.getMagicalAttackRange(_skill))) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		_actor.doCast(_skill, _item, _forceUse, _dontMove); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,75 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2AirShipInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ExMoveToLocationAirShip; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ExStopMoveAirShip; | ||||
|  | ||||
| /** | ||||
|  * @author DS | ||||
|  */ | ||||
| public class L2AirShipAI extends L2VehicleAI | ||||
| { | ||||
| 	public L2AirShipAI(L2AirShipInstance airShip) | ||||
| 	{ | ||||
| 		super(airShip); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void moveTo(int x, int y, int z) | ||||
| 	{ | ||||
| 		if (!_actor.isMovementDisabled()) | ||||
| 		{ | ||||
| 			_clientMoving = true; | ||||
| 			_actor.moveToLocation(x, y, z, 0); | ||||
| 			_actor.broadcastPacket(new ExMoveToLocationAirShip(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void clientStopMoving(Location loc) | ||||
| 	{ | ||||
| 		if (_actor.isMoving()) | ||||
| 		{ | ||||
| 			_actor.stopMove(loc); | ||||
| 		} | ||||
| 		 | ||||
| 		if (_clientMoving || (loc != null)) | ||||
| 		{ | ||||
| 			_clientMoving = false; | ||||
| 			_actor.broadcastPacket(new ExStopMoveAirShip(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void describeStateToPlayer(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (_clientMoving) | ||||
| 		{ | ||||
| 			player.sendPacket(new ExMoveToLocationAirShip(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public L2AirShipInstance getActor() | ||||
| 	{ | ||||
| 		return (L2AirShipInstance) _actor; | ||||
| 	} | ||||
| } | ||||
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @@ -0,0 +1,82 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2BoatInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.VehicleDeparture; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.VehicleInfo; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.VehicleStarted; | ||||
|  | ||||
| /** | ||||
|  * @author DS | ||||
|  */ | ||||
| public class L2BoatAI extends L2VehicleAI | ||||
| { | ||||
| 	public L2BoatAI(L2BoatInstance boat) | ||||
| 	{ | ||||
| 		super(boat); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void moveTo(int x, int y, int z) | ||||
| 	{ | ||||
| 		if (!_actor.isMovementDisabled()) | ||||
| 		{ | ||||
| 			if (!_clientMoving) | ||||
| 			{ | ||||
| 				_actor.broadcastPacket(new VehicleStarted(getActor(), 1)); | ||||
| 			} | ||||
| 			 | ||||
| 			_clientMoving = true; | ||||
| 			_actor.moveToLocation(x, y, z, 0); | ||||
| 			_actor.broadcastPacket(new VehicleDeparture(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void clientStopMoving(Location loc) | ||||
| 	{ | ||||
| 		if (_actor.isMoving()) | ||||
| 		{ | ||||
| 			_actor.stopMove(loc); | ||||
| 		} | ||||
| 		 | ||||
| 		if (_clientMoving || (loc != null)) | ||||
| 		{ | ||||
| 			_clientMoving = false; | ||||
| 			_actor.broadcastPacket(new VehicleStarted(getActor(), 0)); | ||||
| 			_actor.broadcastPacket(new VehicleInfo(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void describeStateToPlayer(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (_clientMoving) | ||||
| 		{ | ||||
| 			player.sendPacket(new VehicleDeparture(getActor())); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public L2BoatInstance getActor() | ||||
| 	{ | ||||
| 		return (L2BoatInstance) _actor; | ||||
| 	} | ||||
| } | ||||
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @@ -0,0 +1,545 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ACTIVE; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.MobGroup; | ||||
| import com.l2jmobius.gameserver.model.MobGroupTable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Attackable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Npc; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Playable; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2ControllableMobInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| /** | ||||
|  * AI for controllable mobs | ||||
|  * @author littlecrow | ||||
|  */ | ||||
| public final class L2ControllableMobAI extends L2AttackableAI | ||||
| { | ||||
| 	public static final int AI_IDLE = 1; | ||||
| 	public static final int AI_NORMAL = 2; | ||||
| 	public static final int AI_FORCEATTACK = 3; | ||||
| 	public static final int AI_FOLLOW = 4; | ||||
| 	public static final int AI_CAST = 5; | ||||
| 	public static final int AI_ATTACK_GROUP = 6; | ||||
| 	 | ||||
| 	private int _alternateAI; | ||||
| 	 | ||||
| 	private boolean _isThinking; // to prevent thinking recursively | ||||
| 	private boolean _isNotMoving; | ||||
| 	 | ||||
| 	private L2Character _forcedTarget; | ||||
| 	private MobGroup _targetGroup; | ||||
| 	 | ||||
| 	protected void thinkFollow() | ||||
| 	{ | ||||
| 		final L2Attackable me = (L2Attackable) _actor; | ||||
| 		 | ||||
| 		if (!Util.checkIfInRange(MobGroupTable.FOLLOW_RANGE, me, getForcedTarget(), true)) | ||||
| 		{ | ||||
| 			final int signX = (Rnd.nextInt(2) == 0) ? -1 : 1; | ||||
| 			final int signY = (Rnd.nextInt(2) == 0) ? -1 : 1; | ||||
| 			final int randX = Rnd.nextInt(MobGroupTable.FOLLOW_RANGE); | ||||
| 			final int randY = Rnd.nextInt(MobGroupTable.FOLLOW_RANGE); | ||||
| 			 | ||||
| 			moveTo(getForcedTarget().getX() + (signX * randX), getForcedTarget().getY() + (signY * randY), getForcedTarget().getZ()); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		if (isThinking()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		setThinking(true); | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			switch (getAlternateAI()) | ||||
| 			{ | ||||
| 				case AI_IDLE: | ||||
| 				{ | ||||
| 					if (getIntention() != CtrlIntention.AI_INTENTION_ACTIVE) | ||||
| 					{ | ||||
| 						setIntention(CtrlIntention.AI_INTENTION_ACTIVE); | ||||
| 					} | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_FOLLOW: | ||||
| 				{ | ||||
| 					thinkFollow(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_CAST: | ||||
| 				{ | ||||
| 					thinkCast(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_FORCEATTACK: | ||||
| 				{ | ||||
| 					thinkForceAttack(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_ATTACK_GROUP: | ||||
| 				{ | ||||
| 					thinkAttackGroup(); | ||||
| 					break; | ||||
| 				} | ||||
| 				default: | ||||
| 				{ | ||||
| 					if (getIntention() == AI_INTENTION_ACTIVE) | ||||
| 					{ | ||||
| 						thinkActive(); | ||||
| 					} | ||||
| 					else if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 					{ | ||||
| 						thinkAttack(); | ||||
| 					} | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			setThinking(false); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void thinkCast() | ||||
| 	{ | ||||
| 		L2Object target = _skill.getTarget(_actor, _forceUse, _dontMove, false); | ||||
| 		if ((target == null) || !target.isCharacter() || ((L2Character) target).isAlikeDead()) | ||||
| 		{ | ||||
| 			target = _skill.getTarget(_actor, findNextRndTarget(), _forceUse, _dontMove, false); | ||||
| 		} | ||||
| 		 | ||||
| 		if (target == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		setTarget(target); | ||||
| 		 | ||||
| 		if (!_actor.isMuted()) | ||||
| 		{ | ||||
| 			int max_range = 0; | ||||
| 			// check distant skills | ||||
| 			 | ||||
| 			for (Skill sk : _actor.getAllSkills()) | ||||
| 			{ | ||||
| 				if (Util.checkIfInRange(sk.getCastRange(), _actor, target, true) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() > _actor.getStat().getMpConsume(sk))) | ||||
| 				{ | ||||
| 					_actor.doCast(sk); | ||||
| 					return; | ||||
| 				} | ||||
| 				 | ||||
| 				max_range = Math.max(max_range, sk.getCastRange()); | ||||
| 			} | ||||
| 			 | ||||
| 			if (!isNotMoving()) | ||||
| 			{ | ||||
| 				moveToPawn(target, max_range); | ||||
| 			} | ||||
| 			 | ||||
| 			return; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	protected void thinkAttackGroup() | ||||
| 	{ | ||||
| 		final L2Character target = getForcedTarget(); | ||||
| 		if ((target == null) || target.isAlikeDead()) | ||||
| 		{ | ||||
| 			// try to get next group target | ||||
| 			setForcedTarget(findNextGroupTarget()); | ||||
| 			clientStopMoving(null); | ||||
| 		} | ||||
| 		 | ||||
| 		if (target == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		setTarget(target); | ||||
| 		// as a response, we put the target in a forcedattack mode | ||||
| 		final L2ControllableMobInstance theTarget = (L2ControllableMobInstance) target; | ||||
| 		final L2ControllableMobAI ctrlAi = (L2ControllableMobAI) theTarget.getAI(); | ||||
| 		ctrlAi.forceAttack(_actor); | ||||
| 		 | ||||
| 		final double dist2 = _actor.calculateDistance(target, false, true); | ||||
| 		final int range = _actor.getPhysicalAttackRange() + _actor.getTemplate().getCollisionRadius() + target.getTemplate().getCollisionRadius(); | ||||
| 		int max_range = range; | ||||
| 		 | ||||
| 		if (!_actor.isMuted() && (dist2 > ((range + 20) * (range + 20)))) | ||||
| 		{ | ||||
| 			// check distant skills | ||||
| 			for (Skill sk : _actor.getAllSkills()) | ||||
| 			{ | ||||
| 				final int castRange = sk.getCastRange(); | ||||
| 				 | ||||
| 				if (((castRange * castRange) >= dist2) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() > _actor.getStat().getMpConsume(sk))) | ||||
| 				{ | ||||
| 					_actor.doCast(sk); | ||||
| 					return; | ||||
| 				} | ||||
| 				 | ||||
| 				max_range = Math.max(max_range, castRange); | ||||
| 			} | ||||
| 			 | ||||
| 			if (!isNotMoving()) | ||||
| 			{ | ||||
| 				moveToPawn(target, range); | ||||
| 			} | ||||
| 			 | ||||
| 			return; | ||||
| 		} | ||||
| 		_actor.doAttack(target); | ||||
| 	} | ||||
| 	 | ||||
| 	protected void thinkForceAttack() | ||||
| 	{ | ||||
| 		if ((getForcedTarget() == null) || getForcedTarget().isAlikeDead()) | ||||
| 		{ | ||||
| 			clientStopMoving(null); | ||||
| 			setIntention(AI_INTENTION_ACTIVE); | ||||
| 			setAlternateAI(AI_IDLE); | ||||
| 		} | ||||
| 		 | ||||
| 		setTarget(getForcedTarget()); | ||||
| 		final double dist2 = _actor.calculateDistance(getForcedTarget(), false, true); | ||||
| 		final int range = _actor.getPhysicalAttackRange() + _actor.getTemplate().getCollisionRadius() + getForcedTarget().getTemplate().getCollisionRadius(); | ||||
| 		int max_range = range; | ||||
| 		 | ||||
| 		if (!_actor.isMuted() && (dist2 > ((range + 20) * (range + 20)))) | ||||
| 		{ | ||||
| 			// check distant skills | ||||
| 			for (Skill sk : _actor.getAllSkills()) | ||||
| 			{ | ||||
| 				final int castRange = sk.getCastRange(); | ||||
| 				 | ||||
| 				if (((castRange * castRange) >= dist2) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() > _actor.getStat().getMpConsume(sk))) | ||||
| 				{ | ||||
| 					_actor.doCast(sk); | ||||
| 					return; | ||||
| 				} | ||||
| 				 | ||||
| 				max_range = Math.max(max_range, castRange); | ||||
| 			} | ||||
| 			 | ||||
| 			if (!isNotMoving()) | ||||
| 			{ | ||||
| 				moveToPawn(getForcedTarget(), _actor.getPhysicalAttackRange()/* range */); | ||||
| 			} | ||||
| 			 | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_actor.doAttack(getForcedTarget()); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void thinkAttack() | ||||
| 	{ | ||||
| 		L2Character target = getForcedTarget(); | ||||
| 		if ((target == null) || target.isAlikeDead()) | ||||
| 		{ | ||||
| 			if (target != null) | ||||
| 			{ | ||||
| 				// stop hating | ||||
| 				final L2Attackable npc = (L2Attackable) _actor; | ||||
| 				npc.stopHating(target); | ||||
| 			} | ||||
| 			 | ||||
| 			setIntention(AI_INTENTION_ACTIVE); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// notify aggression | ||||
| 			final L2Character finalTarget = target; | ||||
| 			if (((L2Npc) _actor).getTemplate().getClans() != null) | ||||
| 			{ | ||||
| 				L2World.getInstance().forEachVisibleObject(_actor, L2Npc.class, npc -> | ||||
| 				{ | ||||
| 					if (!npc.isInMyClan((L2Npc) _actor)) | ||||
| 					{ | ||||
| 						return; | ||||
| 					} | ||||
| 					 | ||||
| 					if (_actor.isInsideRadius(npc, npc.getTemplate().getClanHelpRange(), true, true)) | ||||
| 					{ | ||||
| 						npc.getAI().notifyEvent(CtrlEvent.EVT_AGGRESSION, finalTarget, 1); | ||||
| 					} | ||||
| 				}); | ||||
| 			} | ||||
| 			 | ||||
| 			setTarget(target); | ||||
| 			final double dist2 = _actor.calculateDistance(target, false, true); | ||||
| 			final int range = _actor.getPhysicalAttackRange() + _actor.getTemplate().getCollisionRadius() + target.getTemplate().getCollisionRadius(); | ||||
| 			int max_range = range; | ||||
| 			 | ||||
| 			if (!_actor.isMuted() && (dist2 > ((range + 20) * (range + 20)))) | ||||
| 			{ | ||||
| 				// check distant skills | ||||
| 				for (Skill sk : _actor.getAllSkills()) | ||||
| 				{ | ||||
| 					final int castRange = sk.getCastRange(); | ||||
| 					 | ||||
| 					if (((castRange * castRange) >= dist2) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() > _actor.getStat().getMpConsume(sk))) | ||||
| 					{ | ||||
| 						_actor.doCast(sk); | ||||
| 						return; | ||||
| 					} | ||||
| 					 | ||||
| 					max_range = Math.max(max_range, castRange); | ||||
| 				} | ||||
| 				 | ||||
| 				moveToPawn(target, range); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Force mobs to attack anybody if confused. | ||||
| 			L2Character hated; | ||||
| 			 | ||||
| 			if (_actor.isConfused()) | ||||
| 			{ | ||||
| 				hated = findNextRndTarget(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				hated = target; | ||||
| 			} | ||||
| 			 | ||||
| 			if (hated == null) | ||||
| 			{ | ||||
| 				setIntention(AI_INTENTION_ACTIVE); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (hated != target) | ||||
| 			{ | ||||
| 				target = hated; | ||||
| 			} | ||||
| 			 | ||||
| 			if (!_actor.isMuted() && (Rnd.nextInt(5) == 3)) | ||||
| 			{ | ||||
| 				for (Skill sk : _actor.getAllSkills()) | ||||
| 				{ | ||||
| 					final int castRange = sk.getCastRange(); | ||||
| 					 | ||||
| 					if (((castRange * castRange) >= dist2) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() < _actor.getStat().getMpConsume(sk))) | ||||
| 					{ | ||||
| 						_actor.doCast(sk); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			_actor.doAttack(target); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void thinkActive() | ||||
| 	{ | ||||
| 		L2Character hated; | ||||
| 		 | ||||
| 		if (_actor.isConfused()) | ||||
| 		{ | ||||
| 			hated = findNextRndTarget(); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			final L2Object target = _actor.getTarget(); | ||||
| 			hated = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		} | ||||
| 		 | ||||
| 		if (hated != null) | ||||
| 		{ | ||||
| 			_actor.setRunning(); | ||||
| 			setIntention(CtrlIntention.AI_INTENTION_ATTACK, hated); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private boolean checkAutoAttackCondition(L2Character target) | ||||
| 	{ | ||||
| 		if ((target == null) || !_actor.isAttackable()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		final L2Attackable me = (L2Attackable) _actor; | ||||
| 		 | ||||
| 		if (target.isNpc() || target.isDoor()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		if (target.isAlikeDead() || !me.isInsideRadius(target, me.getAggroRange(), false, false) || (Math.abs(_actor.getZ() - target.getZ()) > 100)) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target isn't invulnerable | ||||
| 		if (target.isInvul()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Spawn protection (only against mobs) | ||||
| 		if (target.isPlayer() && ((L2PcInstance) target).isSpawnProtected()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target is a L2Playable | ||||
| 		if (target.isPlayable()) | ||||
| 		{ | ||||
| 			// Check if the target isn't in silent move mode | ||||
| 			if (((L2Playable) target).isSilentMovingAffected()) | ||||
| 			{ | ||||
| 				return false; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if (target.isNpc()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		return me.isAggressive(); | ||||
| 	} | ||||
| 	 | ||||
| 	private L2Character findNextRndTarget() | ||||
| 	{ | ||||
| 		final List<L2Character> potentialTarget = new ArrayList<>(); | ||||
| 		L2World.getInstance().forEachVisibleObject(_actor, L2Character.class, target -> | ||||
| 		{ | ||||
| 			if (Util.checkIfInShortRange(((L2Attackable) _actor).getAggroRange(), _actor, target, true) && checkAutoAttackCondition(target)) | ||||
| 			{ | ||||
| 				potentialTarget.add(target); | ||||
| 			} | ||||
| 		}); | ||||
| 		 | ||||
| 		return !potentialTarget.isEmpty() ? potentialTarget.get(Rnd.nextInt(potentialTarget.size())) : null; | ||||
| 	} | ||||
| 	 | ||||
| 	private L2ControllableMobInstance findNextGroupTarget() | ||||
| 	{ | ||||
| 		return getGroupTarget().getRandomMob(); | ||||
| 	} | ||||
| 	 | ||||
| 	public L2ControllableMobAI(L2ControllableMobInstance controllableMob) | ||||
| 	{ | ||||
| 		super(controllableMob); | ||||
| 		setAlternateAI(AI_IDLE); | ||||
| 	} | ||||
| 	 | ||||
| 	public int getAlternateAI() | ||||
| 	{ | ||||
| 		return _alternateAI; | ||||
| 	} | ||||
| 	 | ||||
| 	public void setAlternateAI(int _alternateai) | ||||
| 	{ | ||||
| 		_alternateAI = _alternateai; | ||||
| 	} | ||||
| 	 | ||||
| 	public void forceAttack(L2Character target) | ||||
| 	{ | ||||
| 		setAlternateAI(AI_FORCEATTACK); | ||||
| 		setForcedTarget(target); | ||||
| 	} | ||||
| 	 | ||||
| 	public void forceAttackGroup(MobGroup group) | ||||
| 	{ | ||||
| 		setForcedTarget(null); | ||||
| 		setGroupTarget(group); | ||||
| 		setAlternateAI(AI_ATTACK_GROUP); | ||||
| 	} | ||||
| 	 | ||||
| 	public void stop() | ||||
| 	{ | ||||
| 		setAlternateAI(AI_IDLE); | ||||
| 		clientStopMoving(null); | ||||
| 	} | ||||
| 	 | ||||
| 	public void move(int x, int y, int z) | ||||
| 	{ | ||||
| 		moveTo(x, y, z); | ||||
| 	} | ||||
| 	 | ||||
| 	public void follow(L2Character target) | ||||
| 	{ | ||||
| 		setAlternateAI(AI_FOLLOW); | ||||
| 		setForcedTarget(target); | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isThinking() | ||||
| 	{ | ||||
| 		return _isThinking; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isNotMoving() | ||||
| 	{ | ||||
| 		return _isNotMoving; | ||||
| 	} | ||||
| 	 | ||||
| 	public void setNotMoving(boolean isNotMoving) | ||||
| 	{ | ||||
| 		_isNotMoving = isNotMoving; | ||||
| 	} | ||||
| 	 | ||||
| 	public void setThinking(boolean isThinking) | ||||
| 	{ | ||||
| 		_isThinking = isThinking; | ||||
| 	} | ||||
| 	 | ||||
| 	private L2Character getForcedTarget() | ||||
| 	{ | ||||
| 		return _forcedTarget; | ||||
| 	} | ||||
| 	 | ||||
| 	private MobGroup getGroupTarget() | ||||
| 	{ | ||||
| 		return _targetGroup; | ||||
| 	} | ||||
| 	 | ||||
| 	private void setForcedTarget(L2Character forcedTarget) | ||||
| 	{ | ||||
| 		_forcedTarget = forcedTarget; | ||||
| 	} | ||||
| 	 | ||||
| 	private void setGroupTarget(MobGroup targetGroup) | ||||
| 	{ | ||||
| 		_targetGroup = targetGroup; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,168 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2DefenderInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2DoorInstance; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
|  | ||||
| /** | ||||
|  * @author mkizub | ||||
|  */ | ||||
| public class L2DoorAI extends L2CharacterAI | ||||
| { | ||||
| 	public L2DoorAI(L2DoorInstance door) | ||||
| 	{ | ||||
| 		super(door); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionIdle() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionActive() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionRest() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionMoveTo(Location destination) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionFollow(L2Character target) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionPickUp(L2Object item) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionInteract(L2Object object) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		ThreadPoolManager.execute(new onEventAttackedDoorTask((L2DoorInstance) _actor, attacker)); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAggression(L2Character target, int aggro) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtActionBlocked(L2Character attacker) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtRooted(L2Character attacker) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtReadyToAct() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtArrived() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtArrivedRevalidate() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtArrivedBlocked(Location blocked_at_loc) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtForgetObject(L2Object object) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtCancel() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtDead() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	private class onEventAttackedDoorTask implements Runnable | ||||
| 	{ | ||||
| 		private final L2DoorInstance _door; | ||||
| 		private final L2Character _attacker; | ||||
| 		 | ||||
| 		public onEventAttackedDoorTask(L2DoorInstance door, L2Character attacker) | ||||
| 		{ | ||||
| 			_door = door; | ||||
| 			_attacker = attacker; | ||||
| 		} | ||||
| 		 | ||||
| 		@Override | ||||
| 		public void run() | ||||
| 		{ | ||||
| 			L2World.getInstance().forEachVisibleObject(_door, L2DefenderInstance.class, guard -> | ||||
| 			{ | ||||
| 				if (_actor.isInsideRadius(guard, guard.getTemplate().getClanHelpRange(), true, true)) | ||||
| 				{ | ||||
| 					guard.getAI().notifyEvent(CtrlEvent.EVT_AGGRESSION, _attacker, 15); | ||||
| 				} | ||||
| 			}); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,931 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ACTIVE; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
|  | ||||
| import java.util.Collection; | ||||
| import java.util.concurrent.Future; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.GameTimeController; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.geoengine.GeoEngine; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Attackable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Npc; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Playable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Summon; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2DefenderInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2FortCommanderInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.effects.L2EffectType; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| /** | ||||
|  * This class manages AI of L2Attackable. | ||||
|  */ | ||||
| public class L2FortSiegeGuardAI extends L2CharacterAI implements Runnable | ||||
| { | ||||
| 	private static final int MAX_ATTACK_TIMEOUT = 300; // int ticks, i.e. 30 seconds | ||||
| 	 | ||||
| 	/** The L2Attackable AI task executed every 1s (call onEvtThink method) */ | ||||
| 	private Future<?> _aiTask; | ||||
| 	 | ||||
| 	/** For attack AI, analysis of mob and its targets */ | ||||
| 	private final SelfAnalysis _selfAnalysis = new SelfAnalysis(); | ||||
| 	 | ||||
| 	/** The delay after which the attacked is stopped */ | ||||
| 	private int _attackTimeout; | ||||
| 	 | ||||
| 	/** The L2Attackable aggro counter */ | ||||
| 	private int _globalAggro; | ||||
| 	 | ||||
| 	/** The flag used to indicate that a thinking action is in progress */ | ||||
| 	private boolean _thinking; // to prevent recursive thinking | ||||
| 	 | ||||
| 	private final int _attackRange; | ||||
| 	 | ||||
| 	public L2FortSiegeGuardAI(L2Character accessor) | ||||
| 	{ | ||||
| 		super(accessor); | ||||
| 		_selfAnalysis.init(); | ||||
| 		_attackTimeout = Integer.MAX_VALUE; | ||||
| 		_globalAggro = -10; // 10 seconds timeout of ATTACK after respawn | ||||
| 		_attackRange = _actor.getPhysicalAttackRange(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		// Launch actions corresponding to the Event Think | ||||
| 		onEvtThink(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * <B><U> Actor is a L2GuardInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk or a Door</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The L2PcInstance target has karma (=PK)</li> | ||||
| 	 * <li>The L2MonsterInstance target is aggressive</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2SiegeGuardInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk or a Door</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>A siege is in progress</li> | ||||
| 	 * <li>The L2PcInstance target isn't a Defender</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2FriendlyMobInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk, a Door or another L2NpcInstance</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The L2PcInstance target has karma (=PK)</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2MonsterInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk, a Door or another L2NpcInstance</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The actor is Aggressive</li> | ||||
| 	 * </ul> | ||||
| 	 * @param target The targeted L2Object | ||||
| 	 * @return True if the target is autoattackable (depends on the actor type). | ||||
| 	 */ | ||||
| 	private boolean autoAttackCondition(L2Character target) | ||||
| 	{ | ||||
| 		// Check if the target isn't another guard, folk or a door | ||||
| 		if ((target == null) || (target instanceof L2DefenderInstance) || target.isNpc() || target.isDoor() || target.isAlikeDead() || (target instanceof L2FortCommanderInstance) || target.isPlayable()) | ||||
| 		{ | ||||
| 			L2PcInstance player = null; | ||||
| 			if (target instanceof L2PcInstance) | ||||
| 			{ | ||||
| 				player = ((L2PcInstance) target); | ||||
| 			} | ||||
| 			else if (target instanceof L2Summon) | ||||
| 			{ | ||||
| 				player = ((L2Summon) target).getOwner(); | ||||
| 			} | ||||
| 			if ((player == null) || ((player.getClan() != null) && (player.getClan().getFortId() == ((L2Npc) _actor).getFort().getResidenceId()))) | ||||
| 			{ | ||||
| 				return false; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target isn't invulnerable | ||||
| 		if ((target != null) && target.isInvul()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Get the owner if the target is a summon | ||||
| 		if (target instanceof L2Summon) | ||||
| 		{ | ||||
| 			final L2PcInstance owner = ((L2Summon) target).getOwner(); | ||||
| 			if (_actor.isInsideRadius(owner, 1000, true, false)) | ||||
| 			{ | ||||
| 				target = owner; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target is a L2PcInstance | ||||
| 		if (target instanceof L2Playable) | ||||
| 		{ | ||||
| 			// Check if the target isn't in silent move mode AND too far (>100) | ||||
| 			if (((L2Playable) target).isSilentMovingAffected() && !_actor.isInsideRadius(target, 250, false, false)) | ||||
| 			{ | ||||
| 				return false; | ||||
| 			} | ||||
| 		} | ||||
| 		// Los Check Here | ||||
| 		return (_actor.isAutoAttackable(target) && GeoEngine.getInstance().canSeeTarget(_actor, target)); | ||||
| 		 | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set the Intention of this L2CharacterAI and create an AI Task executed every 1s (call onEvtThink method) for this L2Attackable.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : If actor _knowPlayer isn't EMPTY, AI_INTENTION_IDLE will be change in AI_INTENTION_ACTIVE</B></FONT> | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 * @param args The first parameter of the Intention | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	synchronized void changeIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		if (intention == AI_INTENTION_IDLE /* || intention == AI_INTENTION_ACTIVE */) // active becomes idle if only a summon is present | ||||
| 		{ | ||||
| 			// Check if actor is not dead | ||||
| 			if (!_actor.isAlikeDead()) | ||||
| 			{ | ||||
| 				final L2Attackable npc = (L2Attackable) _actor; | ||||
| 				 | ||||
| 				// If its _knownPlayer isn't empty set the Intention to AI_INTENTION_ACTIVE | ||||
| 				if (!L2World.getInstance().getVisibleObjects(npc, L2PcInstance.class).isEmpty()) | ||||
| 				{ | ||||
| 					intention = AI_INTENTION_ACTIVE; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					intention = AI_INTENTION_IDLE; | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (intention == AI_INTENTION_IDLE) | ||||
| 			{ | ||||
| 				// Set the Intention of this L2AttackableAI to AI_INTENTION_IDLE | ||||
| 				super.changeIntention(AI_INTENTION_IDLE); | ||||
| 				 | ||||
| 				// Stop AI task and detach AI from NPC | ||||
| 				if (_aiTask != null) | ||||
| 				{ | ||||
| 					_aiTask.cancel(true); | ||||
| 					_aiTask = null; | ||||
| 				} | ||||
| 				 | ||||
| 				// Cancel the AI | ||||
| 				_actor.detachAI(); | ||||
| 				 | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention of this L2AttackableAI to intention | ||||
| 		super.changeIntention(intention, args); | ||||
| 		 | ||||
| 		// If not idle - create an AI task (schedule onEvtThink repeatedly) | ||||
| 		if (_aiTask == null) | ||||
| 		{ | ||||
| 			_aiTask = ThreadPoolManager.scheduleAtFixedRate(this, 1000, 1000); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage the Attack Intention : Stop current Attack (if necessary), Calculate attack timeout, Start a new Attack and Launch Think Event. | ||||
| 	 * @param target The L2Character to attack | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 		// Calculate the attack timeout | ||||
| 		_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 		 | ||||
| 		// Manage the Attack Intention : Stop current Attack (if necessary), Start a new Attack and Launch Think Event | ||||
| 		// if (_actor.getTarget() != null) | ||||
| 		super.onIntentionAttack(target); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI standard thinks of a L2Attackable (called by onEvtThink).<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Update every 1s the _globalAggro counter to come close to 0</li> | ||||
| 	 * <li>If the actor is Aggressive and can attack, add all autoAttackable L2Character in its Aggro Range to its _aggroList, chose a target and order to attack it</li> | ||||
| 	 * <li>If the actor can't attack, order to it to return to its home location</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	private void thinkActive() | ||||
| 	{ | ||||
| 		final L2Attackable npc = (L2Attackable) _actor; | ||||
| 		final L2Object target = getTarget(); | ||||
| 		// Update every 1s the _globalAggro counter to come close to 0 | ||||
| 		if (_globalAggro != 0) | ||||
| 		{ | ||||
| 			if (_globalAggro < 0) | ||||
| 			{ | ||||
| 				_globalAggro++; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				_globalAggro--; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Add all autoAttackable L2Character in L2Attackable Aggro Range to its _aggroList with 0 damage and 1 hate | ||||
| 		// A L2Attackable isn't aggressive during 10s after its spawn because _globalAggro is set to -10 | ||||
| 		if (_globalAggro >= 0) | ||||
| 		{ | ||||
| 			L2World.getInstance().forEachVisibleObjectInRange(npc, L2Character.class, _attackRange, t -> | ||||
| 			{ | ||||
| 				if (autoAttackCondition(t)) // check aggression | ||||
| 				{ | ||||
| 					// Get the hate level of the L2Attackable against this L2Character target contained in _aggroList | ||||
| 					final int hating = npc.getHating(t); | ||||
| 					 | ||||
| 					// Add the attacker to the L2Attackable _aggroList with 0 damage and 1 hate | ||||
| 					if (hating == 0) | ||||
| 					{ | ||||
| 						npc.addDamageHate(t, 0, 1); | ||||
| 					} | ||||
| 				} | ||||
| 			}); | ||||
| 			 | ||||
| 			// Chose a target from its aggroList | ||||
| 			L2Character hated; | ||||
| 			if (_actor.isConfused() && (target != null) && target.isCharacter()) | ||||
| 			{ | ||||
| 				hated = (L2Character) target; // Force mobs to attack anybody if confused | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				hated = npc.getMostHated(); | ||||
| 				// _mostHatedAnalysis.Update(hated); | ||||
| 			} | ||||
| 			 | ||||
| 			// Order to the L2Attackable to attack the target | ||||
| 			if (hated != null) | ||||
| 			{ | ||||
| 				// Get the hate level of the L2Attackable against this L2Character target contained in _aggroList | ||||
| 				final int aggro = npc.getHating(hated); | ||||
| 				 | ||||
| 				if ((aggro + _globalAggro) > 0) | ||||
| 				{ | ||||
| 					// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 					if (!_actor.isRunning()) | ||||
| 					{ | ||||
| 						_actor.setRunning(); | ||||
| 					} | ||||
| 					 | ||||
| 					// Set the AI Intention to AI_INTENTION_ATTACK | ||||
| 					setIntention(CtrlIntention.AI_INTENTION_ATTACK, hated, null); | ||||
| 				} | ||||
| 				 | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		// Order to the L2SiegeGuardInstance to return to its home location because there's no target to attack | ||||
| 		if (_actor.getWalkSpeed() >= 0) | ||||
| 		{ | ||||
| 			if (_actor instanceof L2DefenderInstance) | ||||
| 			{ | ||||
| 				((L2DefenderInstance) _actor).returnHome(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				((L2FortCommanderInstance) _actor).returnHome(); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI attack thinks of a L2Attackable (called by onEvtThink).<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Update the attack timeout if actor is running</li> | ||||
| 	 * <li>If target is dead or timeout is expired, stop this attack and set the Intention to AI_INTENTION_ACTIVE</li> | ||||
| 	 * <li>Call all L2Object of its Faction inside the Faction Range</li> | ||||
| 	 * <li>Chose a target and order to attack it with magic skill or physical attack</li> | ||||
| 	 * </ul> | ||||
| 	 * TODO: Manage casting rules to healer mobs (like Ant Nurses) | ||||
| 	 */ | ||||
| 	private void thinkAttack() | ||||
| 	{ | ||||
| 		if (_attackTimeout < GameTimeController.getInstance().getGameTicks()) | ||||
| 		{ | ||||
| 			// Check if the actor is running | ||||
| 			if (_actor.isRunning()) | ||||
| 			{ | ||||
| 				// Set the actor movement type to walk and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 				_actor.setWalking(); | ||||
| 				 | ||||
| 				// Calculate a new attack timeout | ||||
| 				_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Object target = getTarget(); | ||||
| 		final L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		// Check if target is dead or if timeout is expired to stop this attack | ||||
| 		if ((attackTarget == null) || attackTarget.isAlikeDead() || (_attackTimeout < GameTimeController.getInstance().getGameTicks())) | ||||
| 		{ | ||||
| 			// Stop hating this target after the attack timeout or if target is dead | ||||
| 			if (attackTarget != null) | ||||
| 			{ | ||||
| 				final L2Attackable npc = (L2Attackable) _actor; | ||||
| 				npc.stopHating(attackTarget); | ||||
| 			} | ||||
| 			 | ||||
| 			// Cancel target and timeout | ||||
| 			_attackTimeout = Integer.MAX_VALUE; | ||||
| 			setTarget(null); | ||||
| 			 | ||||
| 			// Set the AI Intention to AI_INTENTION_ACTIVE | ||||
| 			setIntention(AI_INTENTION_ACTIVE, null, null); | ||||
| 			 | ||||
| 			_actor.setWalking(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		factionNotifyAndSupport(); | ||||
| 		attackPrepare(); | ||||
| 	} | ||||
| 	 | ||||
| 	private final void factionNotifyAndSupport() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		// Call all L2Object of its Faction inside the Faction Range | ||||
| 		if ((((L2Npc) _actor).getTemplate().getClans() == null) || (target == null)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (target.isInvul()) | ||||
| 		{ | ||||
| 			return; // speeding it up for siege guards | ||||
| 		} | ||||
| 		 | ||||
| 		// Go through all L2Character that belong to its faction | ||||
| 		// for (L2Character cha : _actor.getKnownList().getKnownCharactersInRadius(((L2NpcInstance) _actor).getFactionRange()+_actor.getTemplate().collisionRadius)) | ||||
| 		for (L2Character cha : L2World.getInstance().getVisibleObjects(_actor, L2Character.class, 1000)) | ||||
| 		{ | ||||
| 			if (cha == null) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			if (!cha.isNpc()) | ||||
| 			{ | ||||
| 				if (_selfAnalysis.hasHealOrResurrect && cha.isPlayer() && ((L2Npc) _actor).getFort().getSiege().checkIsDefender(((L2PcInstance) cha).getClan())) | ||||
| 				{ | ||||
| 					// heal friends | ||||
| 					if (!_actor.isAttackingDisabled() && (cha.getCurrentHp() < (cha.getMaxHp() * 0.6)) && (_actor.getCurrentHp() > (_actor.getMaxHp() / 2)) && (_actor.getCurrentMp() > (_actor.getMaxMp() / 2)) && cha.isInCombat()) | ||||
| 					{ | ||||
| 						for (Skill sk : _selfAnalysis.healSkills) | ||||
| 						{ | ||||
| 							if (_actor.getCurrentMp() < sk.getMpConsume()) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (_actor.isSkillDisabled(sk)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (!Util.checkIfInRange(sk.getCastRange(), _actor, cha, true)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							 | ||||
| 							final int chance = 5; | ||||
| 							if (chance >= Rnd.get(100)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (!GeoEngine.getInstance().canSeeTarget(_actor, cha)) | ||||
| 							{ | ||||
| 								break; | ||||
| 							} | ||||
| 							 | ||||
| 							final L2Object OldTarget = getTarget(); | ||||
| 							setTarget(cha); | ||||
| 							_actor.doCast(sk); | ||||
| 							setTarget(OldTarget); | ||||
| 							return; | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			final L2Npc npc = (L2Npc) cha; | ||||
| 			 | ||||
| 			if (!npc.isInMyClan((L2Npc) _actor)) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			if (npc.getAI() != null) // TODO: possibly check not needed | ||||
| 			{ | ||||
| 				if (!npc.isDead() && (Math.abs(target.getZ() - npc.getZ()) < 600) | ||||
| 				// && _actor.getAttackByList().contains(getTarget()) | ||||
| 					&& ((npc.getAI()._intention == CtrlIntention.AI_INTENTION_IDLE) || (npc.getAI()._intention == CtrlIntention.AI_INTENTION_ACTIVE)) | ||||
| 					// limiting aggro for siege guards | ||||
| 					&& npc.isInsideRadius(target, 1500, true, false) && GeoEngine.getInstance().canSeeTarget(npc, target)) | ||||
| 				{ | ||||
| 					// Notify the L2Object AI with EVT_AGGRESSION | ||||
| 					npc.getAI().notifyEvent(CtrlEvent.EVT_AGGRESSION, target, 1); | ||||
| 					return; | ||||
| 				} | ||||
| 				// heal friends | ||||
| 				if (_selfAnalysis.hasHealOrResurrect && !_actor.isAttackingDisabled() && (npc.getCurrentHp() < (npc.getMaxHp() * 0.6)) && (_actor.getCurrentHp() > (_actor.getMaxHp() / 2)) && (_actor.getCurrentMp() > (_actor.getMaxMp() / 2)) && npc.isInCombat()) | ||||
| 				{ | ||||
| 					for (Skill sk : _selfAnalysis.healSkills) | ||||
| 					{ | ||||
| 						if (_actor.getCurrentMp() < sk.getMpConsume()) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (_actor.isSkillDisabled(sk)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (!Util.checkIfInRange(sk.getCastRange(), _actor, npc, true)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						 | ||||
| 						final int chance = 4; | ||||
| 						if (chance >= Rnd.get(100)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (!GeoEngine.getInstance().canSeeTarget(_actor, npc)) | ||||
| 						{ | ||||
| 							break; | ||||
| 						} | ||||
| 						 | ||||
| 						final L2Object OldTarget = getTarget(); | ||||
| 						setTarget(npc); | ||||
| 						_actor.doCast(sk); | ||||
| 						setTarget(OldTarget); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void attackPrepare() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		if (attackTarget == null) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		// Get all information needed to choose between physical or magical attack | ||||
| 		Collection<Skill> skills = null; | ||||
| 		double dist_2 = 0; | ||||
| 		int range = 0; | ||||
| 		L2DefenderInstance sGuard; | ||||
| 		if (_actor instanceof L2FortCommanderInstance) | ||||
| 		{ | ||||
| 			sGuard = (L2FortCommanderInstance) _actor; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			sGuard = (L2DefenderInstance) _actor; | ||||
| 		} | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			setTarget(attackTarget); | ||||
| 			skills = _actor.getAllSkills(); | ||||
| 			dist_2 = _actor.calculateDistance(attackTarget, false, true); | ||||
| 			range = _actor.getPhysicalAttackRange() + _actor.getTemplate().getCollisionRadius() + attackTarget.getTemplate().getCollisionRadius(); | ||||
| 			if (attackTarget.isMoving()) | ||||
| 			{ | ||||
| 				range += 50; | ||||
| 			} | ||||
| 		} | ||||
| 		catch (NullPointerException e) | ||||
| 		{ | ||||
| 			// LOGGER.warning("AttackableAI: Attack target is NULL."); | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// never attack defenders | ||||
| 		if ((attackTarget instanceof L2PcInstance) && sGuard.getFort().getSiege().checkIsDefender(((L2PcInstance) attackTarget).getClan())) | ||||
| 		{ | ||||
| 			// Cancel the target | ||||
| 			sGuard.stopHating(attackTarget); | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (!GeoEngine.getInstance().canSeeTarget(_actor, attackTarget)) | ||||
| 		{ | ||||
| 			// Siege guards differ from normal mobs currently: | ||||
| 			// If target cannot seen, don't attack any more | ||||
| 			sGuard.stopHating(attackTarget); | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the actor isn't muted and if it is far from target | ||||
| 		if (!_actor.isMuted() && (dist_2 > (range * range))) | ||||
| 		{ | ||||
| 			// check for long ranged skills and heal/buff skills | ||||
| 			for (Skill sk : skills) | ||||
| 			{ | ||||
| 				final int castRange = sk.getCastRange(); | ||||
| 				 | ||||
| 				if ((dist_2 <= (castRange * castRange)) && (castRange > 70) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() >= _actor.getStat().getMpConsume(sk)) && !sk.isPassive()) | ||||
| 				{ | ||||
| 					 | ||||
| 					final L2Object OldTarget = getTarget(); | ||||
| 					if ((sk.isContinuous() && !sk.isDebuff()) || (sk.hasEffectType(L2EffectType.HEAL))) | ||||
| 					{ | ||||
| 						boolean useSkillSelf = true; | ||||
| 						if ((sk.hasEffectType(L2EffectType.HEAL)) && (_actor.getCurrentHp() > (int) (_actor.getMaxHp() / 1.5))) | ||||
| 						{ | ||||
| 							useSkillSelf = false; | ||||
| 							break; | ||||
| 						} | ||||
| 						 | ||||
| 						if ((sk.isContinuous() && !sk.isDebuff()) && _actor.isAffectedBySkill(sk.getId())) | ||||
| 						{ | ||||
| 							useSkillSelf = false; | ||||
| 						} | ||||
| 						 | ||||
| 						if (useSkillSelf) | ||||
| 						{ | ||||
| 							setTarget(_actor); | ||||
| 						} | ||||
| 					} | ||||
| 					 | ||||
| 					_actor.doCast(sk); | ||||
| 					setTarget(OldTarget); | ||||
| 					return; | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			// Check if the L2SiegeGuardInstance is attacking, knows the target and can't run | ||||
| 			if (!(_actor.isAttackingNow()) && (_actor.getRunSpeed() == 0) && (_actor.isInSurroundingRegion(attackTarget))) | ||||
| 			{ | ||||
| 				// Cancel the target | ||||
| 				setTarget(null); | ||||
| 				setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final double dx = _actor.getX() - attackTarget.getX(); | ||||
| 				final double dy = _actor.getY() - attackTarget.getY(); | ||||
| 				final double dz = _actor.getZ() - attackTarget.getZ(); | ||||
| 				final double homeX = attackTarget.getX() - sGuard.getSpawn().getX(); | ||||
| 				final double homeY = attackTarget.getY() - sGuard.getSpawn().getY(); | ||||
| 				 | ||||
| 				// Check if the L2SiegeGuardInstance isn't too far from it's home location | ||||
| 				if ((((dx * dx) + (dy * dy)) > 10000) && (((homeX * homeX) + (homeY * homeY)) > 3240000) // 1800 * 1800 | ||||
| 					&& (_actor.isInSurroundingRegion(attackTarget))) | ||||
| 				{ | ||||
| 					// Cancel the target | ||||
| 					setTarget(null); | ||||
| 					setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 				} | ||||
| 				else | ||||
| 				// Move the actor to Pawn server side AND client side by sending Server->Client packet MoveToPawn (broadcast) | ||||
| 				{ | ||||
| 					// Temporary hack for preventing guards jumping off towers, | ||||
| 					// before replacing this with effective geodata checks and AI modification | ||||
| 					if ((dz * dz) < (170 * 170)) // normally 130 if guard z coordinates correct | ||||
| 					{ | ||||
| 						if (_selfAnalysis.isMage) | ||||
| 						{ | ||||
| 							range = _selfAnalysis.maxCastRange - 50; | ||||
| 						} | ||||
| 						if (_actor.getWalkSpeed() <= 0) | ||||
| 						{ | ||||
| 							return; | ||||
| 						} | ||||
| 						if (attackTarget.isMoving()) | ||||
| 						{ | ||||
| 							moveToPawn(attackTarget, range - 70); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							moveToPawn(attackTarget, range); | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			return; | ||||
| 			 | ||||
| 		} | ||||
| 		// Else, if the actor is muted and far from target, just "move to pawn" | ||||
| 		else if (_actor.isMuted() && (dist_2 > (range * range))) | ||||
| 		{ | ||||
| 			// Temporary hack for preventing guards jumping off towers, | ||||
| 			// before replacing this with effective geodata checks and AI modification | ||||
| 			final double dz = _actor.getZ() - attackTarget.getZ(); | ||||
| 			if ((dz * dz) < (170 * 170)) // normally 130 if guard z coordinates correct | ||||
| 			{ | ||||
| 				if (_selfAnalysis.isMage) | ||||
| 				{ | ||||
| 					range = _selfAnalysis.maxCastRange - 50; | ||||
| 				} | ||||
| 				if (_actor.getWalkSpeed() <= 0) | ||||
| 				{ | ||||
| 					return; | ||||
| 				} | ||||
| 				if (attackTarget.isMoving()) | ||||
| 				{ | ||||
| 					moveToPawn(attackTarget, range - 70); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					moveToPawn(attackTarget, range); | ||||
| 				} | ||||
| 			} | ||||
| 			return; | ||||
| 		} | ||||
| 		// Else, if this is close enough to attack | ||||
| 		else if (dist_2 <= (range * range)) | ||||
| 		{ | ||||
| 			// Force mobs to attack anybody if confused | ||||
| 			L2Character hated = null; | ||||
| 			if (_actor.isConfused()) | ||||
| 			{ | ||||
| 				hated = attackTarget; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				hated = ((L2Attackable) _actor).getMostHated(); | ||||
| 			} | ||||
| 			 | ||||
| 			if (hated == null) | ||||
| 			{ | ||||
| 				setIntention(AI_INTENTION_ACTIVE, null, null); | ||||
| 				return; | ||||
| 			} | ||||
| 			if (hated != attackTarget) | ||||
| 			{ | ||||
| 				attackTarget = hated; | ||||
| 			} | ||||
| 			 | ||||
| 			_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 			 | ||||
| 			// check for close combat skills && heal/buff skills | ||||
| 			if (!_actor.isMuted() && (Rnd.nextInt(100) <= 5)) | ||||
| 			{ | ||||
| 				for (Skill sk : skills) | ||||
| 				{ | ||||
| 					final int castRange = sk.getCastRange(); | ||||
| 					 | ||||
| 					if (((castRange * castRange) >= dist_2) && !sk.isPassive() && (_actor.getCurrentMp() >= _actor.getStat().getMpConsume(sk)) && !_actor.isSkillDisabled(sk)) | ||||
| 					{ | ||||
| 						final L2Object OldTarget = getTarget(); | ||||
| 						if ((sk.isContinuous() && !sk.isDebuff()) || (sk.hasEffectType(L2EffectType.HEAL))) | ||||
| 						{ | ||||
| 							boolean useSkillSelf = true; | ||||
| 							if ((sk.hasEffectType(L2EffectType.HEAL)) && (_actor.getCurrentHp() > (int) (_actor.getMaxHp() / 1.5))) | ||||
| 							{ | ||||
| 								useSkillSelf = false; | ||||
| 								break; | ||||
| 							} | ||||
| 							 | ||||
| 							if ((sk.isContinuous() && !sk.isDebuff()) && _actor.isAffectedBySkill(sk.getId())) | ||||
| 							{ | ||||
| 								useSkillSelf = false; | ||||
| 							} | ||||
| 							 | ||||
| 							if (useSkillSelf) | ||||
| 							{ | ||||
| 								setTarget(_actor); | ||||
| 							} | ||||
| 						} | ||||
| 						 | ||||
| 						_actor.doCast(sk); | ||||
| 						setTarget(OldTarget); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			// Finally, do the physical attack itself | ||||
| 			_actor.doAttack(attackTarget); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI thinking actions of a L2Attackable. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		// if(getIntention() != AI_INTENTION_IDLE && (!_actor.isVisible() || !_actor.hasAI() || !_actor.isKnownPlayers())) | ||||
| 		// setIntention(AI_INTENTION_IDLE); | ||||
| 		 | ||||
| 		// Check if the actor can't use skills and if a thinking action isn't already in progress | ||||
| 		if (_thinking || _actor.isCastingNow() || _actor.isAllSkillsDisabled()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Start thinking action | ||||
| 		_thinking = true; | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			// Manage AI thinks of a L2Attackable | ||||
| 			if (getIntention() == AI_INTENTION_ACTIVE) | ||||
| 			{ | ||||
| 				thinkActive(); | ||||
| 			} | ||||
| 			else if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 			{ | ||||
| 				thinkAttack(); | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			// Stop thinking action | ||||
| 			_thinking = false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event Attacked.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Init the attack : Calculate the attack timeout, Set the _globalAggro to 0, Add the attacker to the actor _aggroList</li> | ||||
| 	 * <li>Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance</li> | ||||
| 	 * <li>Set the Intention to AI_INTENTION_ATTACK</li> | ||||
| 	 * </ul> | ||||
| 	 * @param attacker The L2Character that attacks the actor | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		// Calculate the attack timeout | ||||
| 		_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 		 | ||||
| 		// Set the _globalAggro to 0 to permit attack even just after spawn | ||||
| 		if (_globalAggro < 0) | ||||
| 		{ | ||||
| 			_globalAggro = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		// Add the attacker to the _aggroList of the actor | ||||
| 		((L2Attackable) _actor).addDamageHate(attacker, 0, 1); | ||||
| 		 | ||||
| 		// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 		if (!_actor.isRunning()) | ||||
| 		{ | ||||
| 			_actor.setRunning(); | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention to AI_INTENTION_ATTACK | ||||
| 		if (getIntention() != AI_INTENTION_ATTACK) | ||||
| 		{ | ||||
| 			setIntention(CtrlIntention.AI_INTENTION_ATTACK, attacker, null); | ||||
| 		} | ||||
| 		 | ||||
| 		super.onEvtAttacked(attacker); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event Aggression.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Add the target to the actor _aggroList or update hate if already present</li> | ||||
| 	 * <li>Set the actor Intention to AI_INTENTION_ATTACK (if actor is L2GuardInstance check if it isn't too far from its home location)</li> | ||||
| 	 * </ul> | ||||
| 	 * @param aggro The value of hate to add to the actor against the target | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtAggression(L2Character target, int aggro) | ||||
| 	{ | ||||
| 		if (_actor == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2Attackable me = (L2Attackable) _actor; | ||||
| 		 | ||||
| 		if (target != null) | ||||
| 		{ | ||||
| 			// Add the target to the actor _aggroList or update hate if already present | ||||
| 			me.addDamageHate(target, 0, aggro); | ||||
| 			 | ||||
| 			// Get the hate of the actor against the target | ||||
| 			aggro = me.getHating(target); | ||||
| 			 | ||||
| 			if (aggro <= 0) | ||||
| 			{ | ||||
| 				if (me.getMostHated() == null) | ||||
| 				{ | ||||
| 					_globalAggro = -25; | ||||
| 					me.clearAggroList(); | ||||
| 					setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 				} | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Set the actor AI Intention to AI_INTENTION_ATTACK | ||||
| 			if (getIntention() != CtrlIntention.AI_INTENTION_ATTACK) | ||||
| 			{ | ||||
| 				// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 				if (!_actor.isRunning()) | ||||
| 				{ | ||||
| 					_actor.setRunning(); | ||||
| 				} | ||||
| 				 | ||||
| 				final L2DefenderInstance sGuard = _actor instanceof L2FortCommanderInstance ? (L2FortCommanderInstance) _actor : (L2DefenderInstance) _actor; | ||||
| 				final double homeX = target.getX() - sGuard.getSpawn().getX(); | ||||
| 				final double homeY = target.getY() - sGuard.getSpawn().getY(); | ||||
| 				 | ||||
| 				// Check if the L2SiegeGuardInstance is not too far from its home location | ||||
| 				if (((homeX * homeX) + (homeY * homeY)) < 3240000) | ||||
| 				{ | ||||
| 					setIntention(CtrlIntention.AI_INTENTION_ATTACK, target, null); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// currently only for setting lower general aggro | ||||
| 			if (aggro >= 0) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			final L2Character mostHated = me.getMostHated(); | ||||
| 			if (mostHated == null) | ||||
| 			{ | ||||
| 				_globalAggro = -25; | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			for (L2Character aggroed : me.getAggroList().keySet()) | ||||
| 			{ | ||||
| 				me.addDamageHate(aggroed, 0, aggro); | ||||
| 			} | ||||
| 			 | ||||
| 			aggro = me.getHating(mostHated); | ||||
| 			if (aggro <= 0) | ||||
| 			{ | ||||
| 				_globalAggro = -25; | ||||
| 				me.clearAggroList(); | ||||
| 				setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void stopAITask() | ||||
| 	{ | ||||
| 		if (_aiTask != null) | ||||
| 		{ | ||||
| 			_aiTask.cancel(false); | ||||
| 			_aiTask = null; | ||||
| 		} | ||||
| 		_actor.detachAI(); | ||||
| 		super.stopAITask(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,113 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Playable; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.model.zone.ZoneId; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
|  | ||||
| /** | ||||
|  * This class manages AI of L2Playable.<br> | ||||
|  * L2PlayableAI : | ||||
|  * <li>L2SummonAI</li> | ||||
|  * <li>L2PlayerAI</li> | ||||
|  * @author JIV | ||||
|  */ | ||||
| public abstract class L2PlayableAI extends L2CharacterAI | ||||
| { | ||||
| 	public L2PlayableAI(L2Playable playable) | ||||
| 	{ | ||||
| 		super(playable); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 		if (target instanceof L2Playable) | ||||
| 		{ | ||||
| 			if (target.getActingPlayer().isProtectionBlessingAffected() && ((_actor.getActingPlayer().getLevel() - target.getActingPlayer().getLevel()) >= 10) && (_actor.getActingPlayer().getReputation() < 0) && !(target.isInsideZone(ZoneId.PVP))) | ||||
| 			{ | ||||
| 				// If attacker have karma and have level >= 10 than his target and target have | ||||
| 				// Newbie Protection Buff, | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_actor.getActingPlayer().isProtectionBlessingAffected() && ((target.getActingPlayer().getLevel() - _actor.getActingPlayer().getLevel()) >= 10) && (target.getActingPlayer().getReputation() < 0) && !(target.isInsideZone(ZoneId.PVP))) | ||||
| 			{ | ||||
| 				// If target have karma and have level >= 10 than his target and actor have | ||||
| 				// Newbie Protection Buff, | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (target.getActingPlayer().isCursedWeaponEquipped() && (_actor.getActingPlayer().getLevel() <= 20)) | ||||
| 			{ | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_actor.getActingPlayer().isCursedWeaponEquipped() && (target.getActingPlayer().getLevel() <= 20)) | ||||
| 			{ | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		super.onIntentionAttack(target); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove) | ||||
| 	{ | ||||
| 		if ((target.isPlayable()) && skill.isBad()) | ||||
| 		{ | ||||
| 			if (target.getActingPlayer().isProtectionBlessingAffected() && ((_actor.getActingPlayer().getLevel() - target.getActingPlayer().getLevel()) >= 10) && (_actor.getActingPlayer().getReputation() < 0) && !target.isInsideZone(ZoneId.PVP)) | ||||
| 			{ | ||||
| 				// If attacker have karma and have level >= 10 than his target and target have | ||||
| 				// Newbie Protection Buff, | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (_actor.getActingPlayer().isProtectionBlessingAffected() && ((target.getActingPlayer().getLevel() - _actor.getActingPlayer().getLevel()) >= 10) && (target.getActingPlayer().getReputation() < 0) && !target.isInsideZone(ZoneId.PVP)) | ||||
| 			{ | ||||
| 				// If target have karma and have level >= 10 than his target and actor have | ||||
| 				// Newbie Protection Buff, | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			if (target.getActingPlayer().isCursedWeaponEquipped() && ((_actor.getActingPlayer().getLevel() <= 20) || (target.getActingPlayer().getLevel() <= 20))) | ||||
| 			{ | ||||
| 				_actor.getActingPlayer().sendPacket(SystemMessageId.THAT_IS_AN_INCORRECT_TARGET); | ||||
| 				clientActionFailed(); | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		super.onIntentionCast(skill, target, item, forceUse, dontMove); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,378 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_CAST; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_INTERACT; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_MOVE_TO; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_PICK_UP; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_REST; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2StaticObjectInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.model.skills.targets.TargetType; | ||||
|  | ||||
| public class L2PlayerAI extends L2PlayableAI | ||||
| { | ||||
| 	private boolean _thinking; // to prevent recursive thinking | ||||
| 	 | ||||
| 	IntentionCommand _nextIntention = null; | ||||
| 	 | ||||
| 	public L2PlayerAI(L2PcInstance player) | ||||
| 	{ | ||||
| 		super(player); | ||||
| 	} | ||||
| 	 | ||||
| 	void saveNextIntention(CtrlIntention intention, Object arg0, Object arg1) | ||||
| 	{ | ||||
| 		_nextIntention = new IntentionCommand(intention, arg0, arg1); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public IntentionCommand getNextIntention() | ||||
| 	{ | ||||
| 		return _nextIntention; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Saves the current Intention for this L2PlayerAI if necessary and calls changeIntention in AbstractAI. | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 * @param args The first parameter of the Intention | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected synchronized void changeIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		final Object localArg0 = args.length > 0 ? args[0] : null; | ||||
| 		final Object localArg1 = args.length > 1 ? args[1] : null; | ||||
| 		 | ||||
| 		final Object globalArg0 = (_intentionArgs != null) && (_intentionArgs.length > 0) ? _intentionArgs[0] : null; | ||||
| 		final Object globalArg1 = (_intentionArgs != null) && (_intentionArgs.length > 1) ? _intentionArgs[1] : null; | ||||
| 		 | ||||
| 		// do nothing unless CAST intention | ||||
| 		// however, forget interrupted actions when starting to use an offensive skill | ||||
| 		if ((intention != AI_INTENTION_CAST) || ((Skill) args[0]).isBad()) | ||||
| 		{ | ||||
| 			_nextIntention = null; | ||||
| 			super.changeIntention(intention, args); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// do nothing if next intention is same as current one. | ||||
| 		if ((intention == _intention) && (globalArg0 == localArg0) && (globalArg1 == localArg1)) | ||||
| 		{ | ||||
| 			super.changeIntention(intention, args); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// save current intention so it can be used after cast | ||||
| 		saveNextIntention(_intention, globalArg0, globalArg1); | ||||
| 		super.changeIntention(intention, args); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event ReadyToAct.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Launch actions corresponding to the Event Think</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtReadyToAct() | ||||
| 	{ | ||||
| 		// Launch actions corresponding to the Event Think | ||||
| 		if (_nextIntention != null) | ||||
| 		{ | ||||
| 			setIntention(_nextIntention._crtlIntention, _nextIntention._arg0, _nextIntention._arg1); | ||||
| 			_nextIntention = null; | ||||
| 		} | ||||
| 		super.onEvtReadyToAct(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event Cancel.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Stop an AI Follow Task</li> | ||||
| 	 * <li>Launch actions corresponding to the Event Think</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtCancel() | ||||
| 	{ | ||||
| 		_nextIntention = null; | ||||
| 		super.onEvtCancel(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Finalize the casting of a skill. This method overrides L2CharacterAI method.<br> | ||||
| 	 * <B>What it does:</B><br> | ||||
| 	 * Check if actual intention is set to CAST and, if so, retrieves latest intention before the actual CAST and set it as the current intention for the player. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtFinishCasting() | ||||
| 	{ | ||||
| 		if (getIntention() == AI_INTENTION_CAST) | ||||
| 		{ | ||||
| 			// run interrupted or next intention | ||||
| 			 | ||||
| 			final IntentionCommand nextIntention = _nextIntention; | ||||
| 			if (nextIntention != null) | ||||
| 			{ | ||||
| 				if (nextIntention._crtlIntention != AI_INTENTION_CAST) // previous state shouldn't be casting | ||||
| 				{ | ||||
| 					setIntention(nextIntention._crtlIntention, nextIntention._arg0, nextIntention._arg1); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					setIntention(AI_INTENTION_IDLE); | ||||
| 				} | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// set intention to idle if skill doesn't change intention. | ||||
| 				setIntention(AI_INTENTION_IDLE); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		super.onEvtAttacked(attacker); | ||||
| 		 | ||||
| 		// Summons in defending mode defend its master when attacked. | ||||
| 		if (_actor.getActingPlayer().hasServitors()) | ||||
| 		{ | ||||
| 			_actor.getActingPlayer().getServitors().values().stream().filter(summon -> ((L2SummonAI) summon.getAI()).isDefending()).forEach(summon -> ((L2SummonAI) summon.getAI()).defendAttack(attacker)); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtEvaded(L2Character attacker) | ||||
| 	{ | ||||
| 		super.onEvtEvaded(attacker); | ||||
| 		 | ||||
| 		// Summons in defending mode defend its master when attacked. | ||||
| 		if (_actor.getActingPlayer().hasServitors()) | ||||
| 		{ | ||||
| 			_actor.getActingPlayer().getServitors().values().stream().filter(summon -> ((L2SummonAI) summon.getAI()).isDefending()).forEach(summon -> ((L2SummonAI) summon.getAI()).defendAttack(attacker)); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionRest() | ||||
| 	{ | ||||
| 		if (getIntention() != AI_INTENTION_REST) | ||||
| 		{ | ||||
| 			changeIntention(AI_INTENTION_REST); | ||||
| 			setTarget(null); | ||||
| 			clientStopMoving(null); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionActive() | ||||
| 	{ | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage the Move To Intention : Stop current Attack and Launch a Move to Location Task.<br> | ||||
| 	 * <B><U> Actions</U> : </B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Stop the actor auto-attack server side AND client side by sending Server->Client packet AutoAttackStop (broadcast)</li> | ||||
| 	 * <li>Set the Intention of this AI to AI_INTENTION_MOVE_TO</li> | ||||
| 	 * <li>Move the actor to Location (x,y,z) server side AND client side by sending Server->Client packet CharMoveToLocation (broadcast)</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onIntentionMoveTo(Location loc) | ||||
| 	{ | ||||
| 		if (getIntention() == AI_INTENTION_REST) | ||||
| 		{ | ||||
| 			// Cancel action client side by sending Server->Client packet ActionFailed to the L2PcInstance actor | ||||
| 			clientActionFailed(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (_actor.isAllSkillsDisabled() || _actor.isCastingNow() || _actor.isAttackingNow()) | ||||
| 		{ | ||||
| 			clientActionFailed(); | ||||
| 			saveNextIntention(AI_INTENTION_MOVE_TO, loc, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention of this AbstractAI to AI_INTENTION_MOVE_TO | ||||
| 		changeIntention(AI_INTENTION_MOVE_TO, loc); | ||||
| 		 | ||||
| 		// Stop the actor auto-attack client side by sending Server->Client packet AutoAttackStop (broadcast) | ||||
| 		clientStopAutoAttack(); | ||||
| 		 | ||||
| 		// Abort the attack of the L2Character and send Server->Client ActionFailed packet | ||||
| 		_actor.abortAttack(); | ||||
| 		 | ||||
| 		// Move the actor to Location (x,y,z) server side AND client side by sending Server->Client packet CharMoveToLocation (broadcast) | ||||
| 		moveTo(loc.getX(), loc.getY(), loc.getZ()); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void clientNotifyDead() | ||||
| 	{ | ||||
| 		_clientMovingToPawnOffset = 0; | ||||
| 		_clientMoving = false; | ||||
| 		 | ||||
| 		super.clientNotifyDead(); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkAttack() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if ((target == null) || !target.isCharacter()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (checkTargetLostOrDead((L2Character) target)) | ||||
| 		{ | ||||
| 			// Notify the target | ||||
| 			setTarget(null); | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, _actor.getPhysicalAttackRange())) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_actor.doAttack((L2Character) target); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkCast() | ||||
| 	{ | ||||
| 		final L2Object target = _skill.getTarget(_actor, _forceUse, _dontMove, false); | ||||
| 		if ((_skill.getTargetType() == TargetType.GROUND) && (_actor instanceof L2PcInstance)) | ||||
| 		{ | ||||
| 			if (maybeMoveToPosition(((L2PcInstance) _actor).getCurrentSkillWorldPosition(), _actor.getMagicalAttackRange(_skill))) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			if (checkTargetLost(target)) | ||||
| 			{ | ||||
| 				if (_skill.isBad() && (target != null)) | ||||
| 				{ | ||||
| 					// Notify the target | ||||
| 					setTarget(null); | ||||
| 				} | ||||
| 				return; | ||||
| 			} | ||||
| 			if ((target != null) && maybeMoveToPawn(target, _actor.getMagicalAttackRange(_skill))) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		_actor.doCast(_skill, _item, _forceUse, _dontMove); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkPickUp() | ||||
| 	{ | ||||
| 		if (_actor.isAllSkillsDisabled() || _actor.isCastingNow()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, 36)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 		getActor().doPickupItem(target); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkInteract() | ||||
| 	{ | ||||
| 		if (_actor.isAllSkillsDisabled() || _actor.isCastingNow()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, 36)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (!(target instanceof L2StaticObjectInstance)) | ||||
| 		{ | ||||
| 			getActor().doInteract((L2Character) target); | ||||
| 		} | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		if (_thinking && (getIntention() != AI_INTENTION_CAST)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_thinking = true; | ||||
| 		try | ||||
| 		{ | ||||
| 			if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 			{ | ||||
| 				thinkAttack(); | ||||
| 			} | ||||
| 			else if (getIntention() == AI_INTENTION_CAST) | ||||
| 			{ | ||||
| 				thinkCast(); | ||||
| 			} | ||||
| 			else if (getIntention() == AI_INTENTION_PICK_UP) | ||||
| 			{ | ||||
| 				thinkPickUp(); | ||||
| 			} | ||||
| 			else if (getIntention() == AI_INTENTION_INTERACT) | ||||
| 			{ | ||||
| 				thinkInteract(); | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			_thinking = false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public L2PcInstance getActor() | ||||
| 	{ | ||||
| 		return (L2PcInstance) super.getActor(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,48 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2ShuttleInstance; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.shuttle.ExShuttleMove; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class L2ShuttleAI extends L2VehicleAI | ||||
| { | ||||
| 	public L2ShuttleAI(L2ShuttleInstance shuttle) | ||||
| 	{ | ||||
| 		super(shuttle); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void moveTo(int x, int y, int z) | ||||
| 	{ | ||||
| 		if (!_actor.isMovementDisabled()) | ||||
| 		{ | ||||
| 			_clientMoving = true; | ||||
| 			_actor.moveToLocation(x, y, z, 0); | ||||
| 			_actor.broadcastPacket(new ExShuttleMove(getActor(), x, y, z)); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public L2ShuttleInstance getActor() | ||||
| 	{ | ||||
| 		return (L2ShuttleInstance) _actor; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,884 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ACTIVE; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
|  | ||||
| import java.util.Collection; | ||||
| import java.util.concurrent.Future; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.GameTimeController; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.geoengine.GeoEngine; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Attackable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Npc; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Playable; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Summon; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2DefenderInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.effects.L2EffectType; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| /** | ||||
|  * This class manages AI of L2Attackable. | ||||
|  */ | ||||
| public class L2SiegeGuardAI extends L2CharacterAI implements Runnable | ||||
| { | ||||
| 	private static final int MAX_ATTACK_TIMEOUT = 300; // int ticks, i.e. 30 seconds | ||||
| 	 | ||||
| 	/** The L2Attackable AI task executed every 1s (call onEvtThink method) */ | ||||
| 	private Future<?> _aiTask; | ||||
| 	 | ||||
| 	/** For attack AI, analysis of mob and its targets */ | ||||
| 	private final SelfAnalysis _selfAnalysis = new SelfAnalysis(); | ||||
| 	// private TargetAnalysis _mostHatedAnalysis = new TargetAnalysis(); | ||||
| 	 | ||||
| 	/** The delay after which the attacked is stopped */ | ||||
| 	private int _attackTimeout; | ||||
| 	 | ||||
| 	/** The L2Attackable aggro counter */ | ||||
| 	private int _globalAggro; | ||||
| 	 | ||||
| 	/** The flag used to indicate that a thinking action is in progress */ | ||||
| 	private boolean _thinking; // to prevent recursive thinking | ||||
| 	 | ||||
| 	private final int _attackRange; | ||||
| 	 | ||||
| 	public L2SiegeGuardAI(L2Character creature) | ||||
| 	{ | ||||
| 		super(creature); | ||||
| 		_selfAnalysis.init(); | ||||
| 		_attackTimeout = Integer.MAX_VALUE; | ||||
| 		_globalAggro = -10; // 10 seconds timeout of ATTACK after respawn | ||||
| 		_attackRange = _actor.getPhysicalAttackRange(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		// Launch actions corresponding to the Event Think | ||||
| 		onEvtThink(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * <B><U> Actor is a L2GuardInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk or a Door</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The L2PcInstance target has karma (=PK)</li> | ||||
| 	 * <li>The L2MonsterInstance target is aggressive</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2SiegeGuardInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk or a Door</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>A siege is in progress</li> | ||||
| 	 * <li>The L2PcInstance target isn't a Defender</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2FriendlyMobInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk, a Door or another L2NpcInstance</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The L2PcInstance target has karma (=PK)</li> | ||||
| 	 * </ul> | ||||
| 	 * <B><U> Actor is a L2MonsterInstance</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>The target isn't a Folk, a Door or another L2NpcInstance</li> | ||||
| 	 * <li>The target isn't dead, isn't invulnerable, isn't in silent moving mode AND too far (>100)</li> | ||||
| 	 * <li>The target is in the actor Aggro range and is at the same height</li> | ||||
| 	 * <li>The actor is Aggressive</li> | ||||
| 	 * </ul> | ||||
| 	 * @param target The targeted L2Object | ||||
| 	 * @return True if the target is autoattackable (depends on the actor type). | ||||
| 	 */ | ||||
| 	protected boolean autoAttackCondition(L2Character target) | ||||
| 	{ | ||||
| 		// Check if the target isn't another guard, folk or a door | ||||
| 		if ((target == null) || (target instanceof L2DefenderInstance) || target.isNpc() || target.isDoor() || target.isAlikeDead()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target isn't invulnerable | ||||
| 		if (target.isInvul()) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		// Get the owner if the target is a summon | ||||
| 		if (target.isSummon()) | ||||
| 		{ | ||||
| 			final L2PcInstance owner = ((L2Summon) target).getOwner(); | ||||
| 			if (_actor.isInsideRadius(owner, 1000, true, false)) | ||||
| 			{ | ||||
| 				target = owner; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the target is a L2PcInstance | ||||
| 		if (target.isPlayable()) | ||||
| 		{ | ||||
| 			// Check if the target isn't in silent move mode AND too far (>100) | ||||
| 			if (((L2Playable) target).isSilentMovingAffected() && !_actor.isInsideRadius(target, 250, false, false)) | ||||
| 			{ | ||||
| 				return false; | ||||
| 			} | ||||
| 		} | ||||
| 		// Los Check Here | ||||
| 		return (_actor.isAutoAttackable(target) && GeoEngine.getInstance().canSeeTarget(_actor, target)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Set the Intention of this L2CharacterAI and create an AI Task executed every 1s (call onEvtThink method) for this L2Attackable.<br> | ||||
| 	 * <FONT COLOR=#FF0000><B> <U>Caution</U> : If actor _knowPlayer isn't EMPTY, AI_INTENTION_IDLE will be change in AI_INTENTION_ACTIVE</B></FONT> | ||||
| 	 * @param intention The new Intention to set to the AI | ||||
| 	 * @param args The first parameter of the Intention | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	synchronized void changeIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		if (intention == AI_INTENTION_IDLE /* || intention == AI_INTENTION_ACTIVE */) // active becomes idle if only a summon is present | ||||
| 		{ | ||||
| 			// Check if actor is not dead | ||||
| 			if (!_actor.isAlikeDead()) | ||||
| 			{ | ||||
| 				final L2Attackable npc = (L2Attackable) _actor; | ||||
| 				 | ||||
| 				// If its _knownPlayer isn't empty set the Intention to AI_INTENTION_ACTIVE | ||||
| 				if (!L2World.getInstance().getVisibleObjects(npc, L2PcInstance.class).isEmpty()) | ||||
| 				{ | ||||
| 					intention = AI_INTENTION_ACTIVE; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					intention = AI_INTENTION_IDLE; | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (intention == AI_INTENTION_IDLE) | ||||
| 			{ | ||||
| 				// Set the Intention of this L2AttackableAI to AI_INTENTION_IDLE | ||||
| 				super.changeIntention(AI_INTENTION_IDLE); | ||||
| 				 | ||||
| 				// Stop AI task and detach AI from NPC | ||||
| 				if (_aiTask != null) | ||||
| 				{ | ||||
| 					_aiTask.cancel(true); | ||||
| 					_aiTask = null; | ||||
| 				} | ||||
| 				 | ||||
| 				// Cancel the AI | ||||
| 				_actor.detachAI(); | ||||
| 				 | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention of this L2AttackableAI to intention | ||||
| 		super.changeIntention(intention, args); | ||||
| 		 | ||||
| 		// If not idle - create an AI task (schedule onEvtThink repeatedly) | ||||
| 		if (_aiTask == null) | ||||
| 		{ | ||||
| 			_aiTask = ThreadPoolManager.scheduleAtFixedRate(this, 1000, 1000); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage the Attack Intention : Stop current Attack (if necessary), Calculate attack timeout, Start a new Attack and Launch Think Event. | ||||
| 	 * @param target The L2Character to attack | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 		// Calculate the attack timeout | ||||
| 		_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 		 | ||||
| 		// Manage the Attack Intention : Stop current Attack (if necessary), Start a new Attack and Launch Think Event | ||||
| 		// if (_actor.getTarget() != null) | ||||
| 		super.onIntentionAttack(target); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI standard thinks of a L2Attackable (called by onEvtThink).<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Update every 1s the _globalAggro counter to come close to 0</li> | ||||
| 	 * <li>If the actor is Aggressive and can attack, add all autoAttackable L2Character in its Aggro Range to its _aggroList, chose a target and order to attack it</li> | ||||
| 	 * <li>If the actor can't attack, order to it to return to its home location</li> | ||||
| 	 * </ul> | ||||
| 	 */ | ||||
| 	private void thinkActive() | ||||
| 	{ | ||||
| 		final L2Attackable npc = (L2Attackable) _actor; | ||||
| 		final L2Object target = getTarget(); | ||||
| 		// Update every 1s the _globalAggro counter to come close to 0 | ||||
| 		if (_globalAggro != 0) | ||||
| 		{ | ||||
| 			if (_globalAggro < 0) | ||||
| 			{ | ||||
| 				_globalAggro++; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				_globalAggro--; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		// Add all autoAttackable L2Character in L2Attackable Aggro Range to its _aggroList with 0 damage and 1 hate | ||||
| 		// A L2Attackable isn't aggressive during 10s after its spawn because _globalAggro is set to -10 | ||||
| 		if (_globalAggro >= 0) | ||||
| 		{ | ||||
| 			L2World.getInstance().forEachVisibleObjectInRange(npc, L2Character.class, _attackRange, t -> | ||||
| 			{ | ||||
| 				if (autoAttackCondition(t)) // check aggression | ||||
| 				{ | ||||
| 					// Get the hate level of the L2Attackable against this L2Character target contained in _aggroList | ||||
| 					final int hating = npc.getHating(t); | ||||
| 					 | ||||
| 					// Add the attacker to the L2Attackable _aggroList with 0 damage and 1 hate | ||||
| 					if (hating == 0) | ||||
| 					{ | ||||
| 						npc.addDamageHate(t, 0, 1); | ||||
| 					} | ||||
| 				} | ||||
| 			}); | ||||
| 			 | ||||
| 			// Chose a target from its aggroList | ||||
| 			L2Character hated; | ||||
| 			if (_actor.isConfused() && (target != null) && target.isCharacter()) | ||||
| 			{ | ||||
| 				hated = (L2Character) target; // Force mobs to attack anybody if confused | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				hated = npc.getMostHated(); | ||||
| 				// _mostHatedAnalysis.Update(hated); | ||||
| 			} | ||||
| 			 | ||||
| 			// Order to the L2Attackable to attack the target | ||||
| 			if (hated != null) | ||||
| 			{ | ||||
| 				// Get the hate level of the L2Attackable against this L2Character target contained in _aggroList | ||||
| 				final int aggro = npc.getHating(hated); | ||||
| 				 | ||||
| 				if ((aggro + _globalAggro) > 0) | ||||
| 				{ | ||||
| 					// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 					if (!_actor.isRunning()) | ||||
| 					{ | ||||
| 						_actor.setRunning(); | ||||
| 					} | ||||
| 					 | ||||
| 					// Set the AI Intention to AI_INTENTION_ATTACK | ||||
| 					setIntention(CtrlIntention.AI_INTENTION_ATTACK, hated, null); | ||||
| 				} | ||||
| 				 | ||||
| 				return; | ||||
| 			} | ||||
| 		} | ||||
| 		// Order to the L2DefenderInstance to return to its home location because there's no target to attack | ||||
| 		((L2DefenderInstance) _actor).returnHome(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI attack thinks of a L2Attackable (called by onEvtThink).<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Update the attack timeout if actor is running</li> | ||||
| 	 * <li>If target is dead or timeout is expired, stop this attack and set the Intention to AI_INTENTION_ACTIVE</li> | ||||
| 	 * <li>Call all L2Object of its Faction inside the Faction Range</li> | ||||
| 	 * <li>Chose a target and order to attack it with magic skill or physical attack</li> | ||||
| 	 * </ul> | ||||
| 	 * TODO: Manage casting rules to healer mobs (like Ant Nurses) | ||||
| 	 */ | ||||
| 	private void thinkAttack() | ||||
| 	{ | ||||
| 		if (_attackTimeout < GameTimeController.getInstance().getGameTicks()) | ||||
| 		{ | ||||
| 			// Check if the actor is running | ||||
| 			if (_actor.isRunning()) | ||||
| 			{ | ||||
| 				// Set the actor movement type to walk and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 				_actor.setWalking(); | ||||
| 				 | ||||
| 				// Calculate a new attack timeout | ||||
| 				_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Object target = getTarget(); | ||||
| 		final L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		// Check if target is dead or if timeout is expired to stop this attack | ||||
| 		if ((attackTarget == null) || attackTarget.isAlikeDead() || (_attackTimeout < GameTimeController.getInstance().getGameTicks())) | ||||
| 		{ | ||||
| 			// Stop hating this target after the attack timeout or if target is dead | ||||
| 			if (attackTarget != null) | ||||
| 			{ | ||||
| 				final L2Attackable npc = (L2Attackable) _actor; | ||||
| 				npc.stopHating(attackTarget); | ||||
| 			} | ||||
| 			 | ||||
| 			// Cancel target and timeout | ||||
| 			_attackTimeout = Integer.MAX_VALUE; | ||||
| 			setTarget(null); | ||||
| 			 | ||||
| 			// Set the AI Intention to AI_INTENTION_ACTIVE | ||||
| 			setIntention(AI_INTENTION_ACTIVE, null, null); | ||||
| 			 | ||||
| 			_actor.setWalking(); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		factionNotifyAndSupport(); | ||||
| 		attackPrepare(); | ||||
| 	} | ||||
| 	 | ||||
| 	private final void factionNotifyAndSupport() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		// Call all L2Object of its Faction inside the Faction Range | ||||
| 		if ((((L2Npc) _actor).getTemplate().getClans() == null) || (target == null)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (target.isInvul()) | ||||
| 		{ | ||||
| 			return; // speeding it up for siege guards | ||||
| 		} | ||||
| 		 | ||||
| 		// Go through all L2Character that belong to its faction | ||||
| 		// for (L2Character cha : _actor.getKnownList().getKnownCharactersInRadius(((L2NpcInstance) _actor).getFactionRange()+_actor.getTemplate().collisionRadius)) | ||||
| 		for (L2Character cha : L2World.getInstance().getVisibleObjects(_actor, L2Character.class, 1000)) | ||||
| 		{ | ||||
| 			if (!cha.isNpc()) | ||||
| 			{ | ||||
| 				if (_selfAnalysis.hasHealOrResurrect && cha.isPlayer() && (((L2Npc) _actor).getCastle().getSiege().checkIsDefender(((L2PcInstance) cha).getClan()))) | ||||
| 				{ | ||||
| 					// heal friends | ||||
| 					if (!_actor.isAttackingDisabled() && (cha.getCurrentHp() < (cha.getMaxHp() * 0.6)) && (_actor.getCurrentHp() > (_actor.getMaxHp() / 2)) && (_actor.getCurrentMp() > (_actor.getMaxMp() / 2)) && cha.isInCombat()) | ||||
| 					{ | ||||
| 						for (Skill sk : _selfAnalysis.healSkills) | ||||
| 						{ | ||||
| 							if (_actor.getCurrentMp() < sk.getMpConsume()) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (_actor.isSkillDisabled(sk)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (!Util.checkIfInRange(sk.getCastRange(), _actor, cha, true)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							 | ||||
| 							final int chance = 5; | ||||
| 							if (chance >= Rnd.get(100)) | ||||
| 							{ | ||||
| 								continue; | ||||
| 							} | ||||
| 							if (!GeoEngine.getInstance().canSeeTarget(_actor, cha)) | ||||
| 							{ | ||||
| 								break; | ||||
| 							} | ||||
| 							 | ||||
| 							final L2Object OldTarget = getTarget(); | ||||
| 							setTarget(cha); | ||||
| 							_actor.doCast(sk); | ||||
| 							setTarget(OldTarget); | ||||
| 							return; | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			final L2Npc npc = (L2Npc) cha; | ||||
| 			 | ||||
| 			if (!npc.isInMyClan((L2Npc) _actor)) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			if (npc.getAI() != null) // TODO: possibly check not needed | ||||
| 			{ | ||||
| 				if (!npc.isDead() && (Math.abs(target.getZ() - npc.getZ()) < 600) | ||||
| 				// && _actor.getAttackByList().contains(getTarget()) | ||||
| 					&& ((npc.getAI()._intention == CtrlIntention.AI_INTENTION_IDLE) || (npc.getAI()._intention == CtrlIntention.AI_INTENTION_ACTIVE)) | ||||
| 					// limiting aggro for siege guards | ||||
| 					&& npc.isInsideRadius(target, 1500, true, false) && GeoEngine.getInstance().canSeeTarget(npc, target)) | ||||
| 				{ | ||||
| 					// Notify the L2Object AI with EVT_AGGRESSION | ||||
| 					npc.getAI().notifyEvent(CtrlEvent.EVT_AGGRESSION, target, 1); | ||||
| 					return; | ||||
| 				} | ||||
| 				// heal friends | ||||
| 				if (_selfAnalysis.hasHealOrResurrect && !_actor.isAttackingDisabled() && (npc.getCurrentHp() < (npc.getMaxHp() * 0.6)) && (_actor.getCurrentHp() > (_actor.getMaxHp() / 2)) && (_actor.getCurrentMp() > (_actor.getMaxMp() / 2)) && npc.isInCombat()) | ||||
| 				{ | ||||
| 					for (Skill sk : _selfAnalysis.healSkills) | ||||
| 					{ | ||||
| 						if (_actor.getCurrentMp() < sk.getMpConsume()) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (_actor.isSkillDisabled(sk)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (!Util.checkIfInRange(sk.getCastRange(), _actor, npc, true)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						 | ||||
| 						final int chance = 4; | ||||
| 						if (chance >= Rnd.get(100)) | ||||
| 						{ | ||||
| 							continue; | ||||
| 						} | ||||
| 						if (!GeoEngine.getInstance().canSeeTarget(_actor, npc)) | ||||
| 						{ | ||||
| 							break; | ||||
| 						} | ||||
| 						 | ||||
| 						final L2Object OldTarget = getTarget(); | ||||
| 						setTarget(npc); | ||||
| 						_actor.doCast(sk); | ||||
| 						setTarget(OldTarget); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void attackPrepare() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		if (attackTarget == null) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Get all information needed to choose between physical or magical attack | ||||
| 		Collection<Skill> skills = null; | ||||
| 		double dist_2 = 0; | ||||
| 		int range = 0; | ||||
| 		final L2DefenderInstance sGuard = (L2DefenderInstance) _actor; | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			setTarget(attackTarget); | ||||
| 			skills = _actor.getAllSkills(); | ||||
| 			dist_2 = _actor.calculateDistance(attackTarget, false, true); | ||||
| 			range = _actor.getPhysicalAttackRange() + _actor.getTemplate().getCollisionRadius() + attackTarget.getTemplate().getCollisionRadius(); | ||||
| 			if (attackTarget.isMoving()) | ||||
| 			{ | ||||
| 				range += 50; | ||||
| 			} | ||||
| 		} | ||||
| 		catch (NullPointerException e) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		if (!GeoEngine.getInstance().canSeeTarget(_actor, attackTarget)) | ||||
| 		{ | ||||
| 			// Siege guards differ from normal mobs currently: | ||||
| 			// If target cannot seen, don't attack any more | ||||
| 			sGuard.stopHating(attackTarget); | ||||
| 			setTarget(null); | ||||
| 			setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Check if the actor isn't muted and if it is far from target | ||||
| 		if (!_actor.isMuted() && (dist_2 > (range * range))) | ||||
| 		{ | ||||
| 			// check for long ranged skills and heal/buff skills | ||||
| 			for (Skill sk : skills) | ||||
| 			{ | ||||
| 				final int castRange = sk.getCastRange(); | ||||
| 				 | ||||
| 				if ((dist_2 <= (castRange * castRange)) && (castRange > 70) && !_actor.isSkillDisabled(sk) && (_actor.getCurrentMp() >= _actor.getStat().getMpConsume(sk)) && !sk.isPassive()) | ||||
| 				{ | ||||
| 					 | ||||
| 					final L2Object OldTarget = getTarget(); | ||||
| 					if ((sk.isContinuous() && !sk.isDebuff()) || (sk.hasEffectType(L2EffectType.HEAL))) | ||||
| 					{ | ||||
| 						boolean useSkillSelf = true; | ||||
| 						if ((sk.hasEffectType(L2EffectType.HEAL)) && (_actor.getCurrentHp() > (int) (_actor.getMaxHp() / 1.5))) | ||||
| 						{ | ||||
| 							useSkillSelf = false; | ||||
| 							break; | ||||
| 						} | ||||
| 						 | ||||
| 						if ((sk.isContinuous() && !sk.isDebuff()) && _actor.isAffectedBySkill(sk.getId())) | ||||
| 						{ | ||||
| 							useSkillSelf = false; | ||||
| 						} | ||||
| 						 | ||||
| 						if (useSkillSelf) | ||||
| 						{ | ||||
| 							setTarget(_actor); | ||||
| 						} | ||||
| 					} | ||||
| 					 | ||||
| 					_actor.doCast(sk); | ||||
| 					setTarget(OldTarget); | ||||
| 					return; | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			// Check if the L2SiegeGuardInstance is attacking, knows the target and can't run | ||||
| 			if (!(_actor.isAttackingNow()) && (_actor.getRunSpeed() == 0) && (_actor.isInSurroundingRegion(attackTarget))) | ||||
| 			{ | ||||
| 				// Cancel the target | ||||
| 				setTarget(null); | ||||
| 				setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final double dx = _actor.getX() - attackTarget.getX(); | ||||
| 				final double dy = _actor.getY() - attackTarget.getY(); | ||||
| 				final double dz = _actor.getZ() - attackTarget.getZ(); | ||||
| 				final double homeX = attackTarget.getX() - sGuard.getSpawn().getX(); | ||||
| 				final double homeY = attackTarget.getY() - sGuard.getSpawn().getY(); | ||||
| 				 | ||||
| 				// Check if the L2SiegeGuardInstance isn't too far from it's home location | ||||
| 				if ((((dx * dx) + (dy * dy)) > 10000) && (((homeX * homeX) + (homeY * homeY)) > 3240000) // 1800 * 1800 | ||||
| 					&& (_actor.isInSurroundingRegion(attackTarget))) | ||||
| 				{ | ||||
| 					// Cancel the target | ||||
| 					setTarget(null); | ||||
| 					setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 				} | ||||
| 				else | ||||
| 				// Move the actor to Pawn server side AND client side by sending Server->Client packet MoveToPawn (broadcast) | ||||
| 				{ | ||||
| 					// Temporary hack for preventing guards jumping off towers, | ||||
| 					// before replacing this with effective geodata checks and AI modification | ||||
| 					if ((dz * dz) < (170 * 170)) // normally 130 if guard z coordinates correct | ||||
| 					{ | ||||
| 						if (_selfAnalysis.isHealer) | ||||
| 						{ | ||||
| 							return; | ||||
| 						} | ||||
| 						if (_selfAnalysis.isMage) | ||||
| 						{ | ||||
| 							range = _selfAnalysis.maxCastRange - 50; | ||||
| 						} | ||||
| 						if (attackTarget.isMoving()) | ||||
| 						{ | ||||
| 							moveToPawn(attackTarget, range - 70); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							moveToPawn(attackTarget, range); | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			return; | ||||
| 			 | ||||
| 		} | ||||
| 		// Else, if the actor is muted and far from target, just "move to pawn" | ||||
| 		else if (_actor.isMuted() && (dist_2 > (range * range)) && !_selfAnalysis.isHealer) | ||||
| 		{ | ||||
| 			// Temporary hack for preventing guards jumping off towers, | ||||
| 			// before replacing this with effective geodata checks and AI modification | ||||
| 			final double dz = _actor.getZ() - attackTarget.getZ(); | ||||
| 			if ((dz * dz) < (170 * 170)) // normally 130 if guard z coordinates correct | ||||
| 			{ | ||||
| 				if (_selfAnalysis.isMage) | ||||
| 				{ | ||||
| 					range = _selfAnalysis.maxCastRange - 50; | ||||
| 				} | ||||
| 				if (attackTarget.isMoving()) | ||||
| 				{ | ||||
| 					moveToPawn(attackTarget, range - 70); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					moveToPawn(attackTarget, range); | ||||
| 				} | ||||
| 			} | ||||
| 			return; | ||||
| 		} | ||||
| 		// Else, if this is close enough to attack | ||||
| 		else if (dist_2 <= (range * range)) | ||||
| 		{ | ||||
| 			// Force mobs to attack anybody if confused | ||||
| 			L2Character hated = null; | ||||
| 			if (_actor.isConfused()) | ||||
| 			{ | ||||
| 				hated = attackTarget; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				hated = ((L2Attackable) _actor).getMostHated(); | ||||
| 			} | ||||
| 			 | ||||
| 			if (hated == null) | ||||
| 			{ | ||||
| 				setIntention(AI_INTENTION_ACTIVE, null, null); | ||||
| 				return; | ||||
| 			} | ||||
| 			if (hated != attackTarget) | ||||
| 			{ | ||||
| 				attackTarget = hated; | ||||
| 			} | ||||
| 			 | ||||
| 			_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 			 | ||||
| 			// check for close combat skills && heal/buff skills | ||||
| 			if (!_actor.isMuted() && (Rnd.nextInt(100) <= 5)) | ||||
| 			{ | ||||
| 				for (Skill sk : skills) | ||||
| 				{ | ||||
| 					final int castRange = sk.getCastRange(); | ||||
| 					 | ||||
| 					if (((castRange * castRange) >= dist_2) && !sk.isPassive() && (_actor.getCurrentMp() >= _actor.getStat().getMpConsume(sk)) && !_actor.isSkillDisabled(sk)) | ||||
| 					{ | ||||
| 						final L2Object OldTarget = getTarget(); | ||||
| 						if ((sk.isContinuous() && !sk.isDebuff()) || (sk.hasEffectType(L2EffectType.HEAL))) | ||||
| 						{ | ||||
| 							boolean useSkillSelf = true; | ||||
| 							if ((sk.hasEffectType(L2EffectType.HEAL)) && (_actor.getCurrentHp() > (int) (_actor.getMaxHp() / 1.5))) | ||||
| 							{ | ||||
| 								useSkillSelf = false; | ||||
| 								break; | ||||
| 							} | ||||
| 							 | ||||
| 							if ((sk.isContinuous() && !sk.isDebuff()) && _actor.isAffectedBySkill(sk.getId())) | ||||
| 							{ | ||||
| 								useSkillSelf = false; | ||||
| 							} | ||||
| 							 | ||||
| 							if (useSkillSelf) | ||||
| 							{ | ||||
| 								setTarget(_actor); | ||||
| 							} | ||||
| 						} | ||||
| 						 | ||||
| 						_actor.doCast(sk); | ||||
| 						setTarget(OldTarget); | ||||
| 						return; | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			// Finally, do the physical attack itself | ||||
| 			if (!_selfAnalysis.isHealer) | ||||
| 			{ | ||||
| 				_actor.doAttack(attackTarget); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Manage AI thinking actions of a L2Attackable. | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		// if(getIntention() != AI_INTENTION_IDLE && (!_actor.isVisible() || !_actor.hasAI() || !_actor.isKnownPlayers())) | ||||
| 		// setIntention(AI_INTENTION_IDLE); | ||||
| 		 | ||||
| 		// Check if the thinking action is already in progress | ||||
| 		if (_thinking || _actor.isCastingNow() || _actor.isAllSkillsDisabled()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		// Start thinking action | ||||
| 		_thinking = true; | ||||
| 		 | ||||
| 		try | ||||
| 		{ | ||||
| 			// Manage AI thinks of a L2Attackable | ||||
| 			if (getIntention() == AI_INTENTION_ACTIVE) | ||||
| 			{ | ||||
| 				thinkActive(); | ||||
| 			} | ||||
| 			else if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 			{ | ||||
| 				thinkAttack(); | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			// Stop thinking action | ||||
| 			_thinking = false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event Attacked.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Init the attack : Calculate the attack timeout, Set the _globalAggro to 0, Add the attacker to the actor _aggroList</li> | ||||
| 	 * <li>Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance</li> | ||||
| 	 * <li>Set the Intention to AI_INTENTION_ATTACK</li> | ||||
| 	 * </ul> | ||||
| 	 * @param attacker The L2Character that attacks the actor | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		// Calculate the attack timeout | ||||
| 		_attackTimeout = MAX_ATTACK_TIMEOUT + GameTimeController.getInstance().getGameTicks(); | ||||
| 		 | ||||
| 		// Set the _globalAggro to 0 to permit attack even just after spawn | ||||
| 		if (_globalAggro < 0) | ||||
| 		{ | ||||
| 			_globalAggro = 0; | ||||
| 		} | ||||
| 		 | ||||
| 		// Add the attacker to the _aggroList of the actor | ||||
| 		((L2Attackable) _actor).addDamageHate(attacker, 0, 1); | ||||
| 		 | ||||
| 		// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 		if (!_actor.isRunning()) | ||||
| 		{ | ||||
| 			_actor.setRunning(); | ||||
| 		} | ||||
| 		 | ||||
| 		// Set the Intention to AI_INTENTION_ATTACK | ||||
| 		if (getIntention() != AI_INTENTION_ATTACK) | ||||
| 		{ | ||||
| 			setIntention(CtrlIntention.AI_INTENTION_ATTACK, attacker, null); | ||||
| 		} | ||||
| 		 | ||||
| 		super.onEvtAttacked(attacker); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Launch actions corresponding to the Event Aggression.<br> | ||||
| 	 * <B><U> Actions</U> :</B> | ||||
| 	 * <ul> | ||||
| 	 * <li>Add the target to the actor _aggroList or update hate if already present</li> | ||||
| 	 * <li>Set the actor Intention to AI_INTENTION_ATTACK (if actor is L2GuardInstance check if it isn't too far from its home location)</li> | ||||
| 	 * </ul> | ||||
| 	 * @param aggro The value of hate to add to the actor against the target | ||||
| 	 */ | ||||
| 	@Override | ||||
| 	protected void onEvtAggression(L2Character target, int aggro) | ||||
| 	{ | ||||
| 		if (_actor == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2Attackable me = (L2Attackable) _actor; | ||||
| 		 | ||||
| 		if (target != null) | ||||
| 		{ | ||||
| 			// Add the target to the actor _aggroList or update hate if already present | ||||
| 			me.addDamageHate(target, 0, aggro); | ||||
| 			 | ||||
| 			// Get the hate of the actor against the target | ||||
| 			aggro = me.getHating(target); | ||||
| 			 | ||||
| 			if (aggro <= 0) | ||||
| 			{ | ||||
| 				if (me.getMostHated() == null) | ||||
| 				{ | ||||
| 					_globalAggro = -25; | ||||
| 					me.clearAggroList(); | ||||
| 					setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 				} | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			// Set the actor AI Intention to AI_INTENTION_ATTACK | ||||
| 			if (getIntention() != CtrlIntention.AI_INTENTION_ATTACK) | ||||
| 			{ | ||||
| 				// Set the L2Character movement type to run and send Server->Client packet ChangeMoveType to all others L2PcInstance | ||||
| 				if (!_actor.isRunning()) | ||||
| 				{ | ||||
| 					_actor.setRunning(); | ||||
| 				} | ||||
| 				 | ||||
| 				final L2DefenderInstance sGuard = (L2DefenderInstance) _actor; | ||||
| 				final double homeX = target.getX() - sGuard.getSpawn().getX(); | ||||
| 				final double homeY = target.getY() - sGuard.getSpawn().getY(); | ||||
| 				 | ||||
| 				// Check if the L2SiegeGuardInstance is not too far from its home location | ||||
| 				if (((homeX * homeX) + (homeY * homeY)) < 3240000) | ||||
| 				{ | ||||
| 					setIntention(CtrlIntention.AI_INTENTION_ATTACK, target, null); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			// currently only for setting lower general aggro | ||||
| 			if (aggro >= 0) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			final L2Character mostHated = me.getMostHated(); | ||||
| 			if (mostHated == null) | ||||
| 			{ | ||||
| 				_globalAggro = -25; | ||||
| 				return; | ||||
| 			} | ||||
| 			 | ||||
| 			for (L2Character aggroed : me.getAggroList().keySet()) | ||||
| 			{ | ||||
| 				me.addDamageHate(aggroed, 0, aggro); | ||||
| 			} | ||||
| 			 | ||||
| 			aggro = me.getHating(mostHated); | ||||
| 			if (aggro <= 0) | ||||
| 			{ | ||||
| 				_globalAggro = -25; | ||||
| 				me.clearAggroList(); | ||||
| 				setIntention(AI_INTENTION_IDLE, null, null); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void stopAITask() | ||||
| 	{ | ||||
| 		if (_aiTask != null) | ||||
| 		{ | ||||
| 			_aiTask.cancel(false); | ||||
| 			_aiTask = null; | ||||
| 		} | ||||
| 		_actor.detachAI(); | ||||
| 		super.stopAITask(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,51 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
|  | ||||
| /** | ||||
|  * @author BiggBoss | ||||
|  */ | ||||
| public final class L2SpecialSiegeGuardAI extends L2SiegeGuardAI | ||||
| { | ||||
| 	private final List<Integer> _allied = new ArrayList<>(); | ||||
| 	 | ||||
| 	public L2SpecialSiegeGuardAI(L2Character creature) | ||||
| 	{ | ||||
| 		super(creature); | ||||
| 	} | ||||
| 	 | ||||
| 	public List<Integer> getAlly() | ||||
| 	{ | ||||
| 		return _allied; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected boolean autoAttackCondition(L2Character target) | ||||
| 	{ | ||||
| 		if (_allied.contains(target.getObjectId())) | ||||
| 		{ | ||||
| 			return false; | ||||
| 		} | ||||
| 		 | ||||
| 		return super.autoAttackCondition(target); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,386 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_ATTACK; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_FOLLOW; | ||||
| import static com.l2jmobius.gameserver.ai.CtrlIntention.AI_INTENTION_IDLE; | ||||
|  | ||||
| import java.util.concurrent.Future; | ||||
|  | ||||
| import com.l2jmobius.commons.util.Rnd; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.geoengine.GeoEngine; | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Summon; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.model.skills.SkillCaster; | ||||
|  | ||||
| public class L2SummonAI extends L2PlayableAI implements Runnable | ||||
| { | ||||
| 	private static final int AVOID_RADIUS = 70; | ||||
| 	 | ||||
| 	private volatile boolean _thinking; // to prevent recursive thinking | ||||
| 	private volatile boolean _startFollow = ((L2Summon) _actor).getFollowStatus(); | ||||
| 	private L2Character _lastAttack = null; | ||||
| 	 | ||||
| 	private volatile boolean _startAvoid; | ||||
| 	private volatile boolean _isDefending; | ||||
| 	private Future<?> _avoidTask = null; | ||||
| 	 | ||||
| 	public L2SummonAI(L2Summon summon) | ||||
| 	{ | ||||
| 		super(summon); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionIdle() | ||||
| 	{ | ||||
| 		stopFollow(); | ||||
| 		_startFollow = false; | ||||
| 		onIntentionActive(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionActive() | ||||
| 	{ | ||||
| 		final L2Summon summon = (L2Summon) _actor; | ||||
| 		if (_startFollow) | ||||
| 		{ | ||||
| 			setIntention(AI_INTENTION_FOLLOW, summon.getOwner()); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			super.onIntentionActive(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	synchronized void changeIntention(CtrlIntention intention, Object... args) | ||||
| 	{ | ||||
| 		switch (intention) | ||||
| 		{ | ||||
| 			case AI_INTENTION_ACTIVE: | ||||
| 			case AI_INTENTION_FOLLOW: | ||||
| 			{ | ||||
| 				startAvoidTask(); | ||||
| 				break; | ||||
| 			} | ||||
| 			default: | ||||
| 			{ | ||||
| 				stopAvoidTask(); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		super.changeIntention(intention, args); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkAttack() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		final L2Character attackTarget = (target != null) && target.isCharacter() ? (L2Character) target : null; | ||||
| 		 | ||||
| 		if (checkTargetLostOrDead(attackTarget)) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			((L2Summon) _actor).setFollowStatus(true); | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(attackTarget, _actor.getPhysicalAttackRange())) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		clientStopMoving(null); | ||||
| 		_actor.doAttack(attackTarget); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkCast() | ||||
| 	{ | ||||
| 		final L2Summon summon = (L2Summon) _actor; | ||||
| 		if (summon.isCastingNow(SkillCaster::isAnyNormalType)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Object target = _skill.getTarget(_actor, _forceUse, _dontMove, false); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			setTarget(null); | ||||
| 			summon.setFollowStatus(true); | ||||
| 			return; | ||||
| 		} | ||||
| 		final boolean val = _startFollow; | ||||
| 		if (maybeMoveToPawn(target, _actor.getMagicalAttackRange(_skill))) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		summon.setFollowStatus(false); | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 		_startFollow = val; | ||||
| 		_actor.doCast(_skill, _item, _forceUse, _dontMove); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkPickUp() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, 36)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 		getActor().doPickupItem(target); | ||||
| 	} | ||||
| 	 | ||||
| 	private void thinkInteract() | ||||
| 	{ | ||||
| 		final L2Object target = getTarget(); | ||||
| 		if (checkTargetLost(target)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		if (maybeMoveToPawn(target, 36)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		setIntention(AI_INTENTION_IDLE); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtThink() | ||||
| 	{ | ||||
| 		if (_thinking || _actor.isCastingNow() || _actor.isAllSkillsDisabled()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		_thinking = true; | ||||
| 		try | ||||
| 		{ | ||||
| 			switch (getIntention()) | ||||
| 			{ | ||||
| 				case AI_INTENTION_ATTACK: | ||||
| 				{ | ||||
| 					thinkAttack(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_INTENTION_CAST: | ||||
| 				{ | ||||
| 					thinkCast(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_INTENTION_PICK_UP: | ||||
| 				{ | ||||
| 					thinkPickUp(); | ||||
| 					break; | ||||
| 				} | ||||
| 				case AI_INTENTION_INTERACT: | ||||
| 				{ | ||||
| 					thinkInteract(); | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		finally | ||||
| 		{ | ||||
| 			_thinking = false; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtFinishCasting() | ||||
| 	{ | ||||
| 		if (_lastAttack == null) | ||||
| 		{ | ||||
| 			((L2Summon) _actor).setFollowStatus(_startFollow); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			setIntention(CtrlIntention.AI_INTENTION_ATTACK, _lastAttack); | ||||
| 			_lastAttack = null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 		super.onEvtAttacked(attacker); | ||||
| 		 | ||||
| 		if (isDefending()) | ||||
| 		{ | ||||
| 			defendAttack(attacker); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			avoidAttack(attacker); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtEvaded(L2Character attacker) | ||||
| 	{ | ||||
| 		super.onEvtEvaded(attacker); | ||||
| 		 | ||||
| 		if (isDefending()) | ||||
| 		{ | ||||
| 			defendAttack(attacker); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			avoidAttack(attacker); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void avoidAttack(L2Character attacker) | ||||
| 	{ | ||||
| 		// Don't move while casting. It breaks casting animation, but still casts the skill... looks so bugged. | ||||
| 		if (_actor.isCastingNow()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Character owner = getActor().getOwner(); | ||||
| 		// trying to avoid if summon near owner | ||||
| 		if ((owner != null) && (owner != attacker) && owner.isInsideRadius(_actor, 2 * AVOID_RADIUS, true, false)) | ||||
| 		{ | ||||
| 			_startAvoid = true; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void defendAttack(L2Character attacker) | ||||
| 	{ | ||||
| 		// Cannot defend while attacking or casting. | ||||
| 		if (_actor.isAttackingNow() || _actor.isCastingNow()) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Summon summon = getActor(); | ||||
| 		if ((summon.getOwner() != null) && (summon.getOwner() != attacker) && !summon.isMoving() && summon.canAttack(attacker, false) && summon.getOwner().isInsideRadius(_actor, 2 * AVOID_RADIUS, true, false)) | ||||
| 		{ | ||||
| 			summon.doAttack(attacker); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void run() | ||||
| 	{ | ||||
| 		if (_startAvoid) | ||||
| 		{ | ||||
| 			_startAvoid = false; | ||||
| 			 | ||||
| 			if (!_clientMoving && !_actor.isDead() && !_actor.isMovementDisabled() && (_actor.getMoveSpeed() > 0)) | ||||
| 			{ | ||||
| 				final int ownerX = ((L2Summon) _actor).getOwner().getX(); | ||||
| 				final int ownerY = ((L2Summon) _actor).getOwner().getY(); | ||||
| 				final double angle = Math.toRadians(Rnd.get(-90, 90)) + Math.atan2(ownerY - _actor.getY(), ownerX - _actor.getX()); | ||||
| 				 | ||||
| 				final int targetX = ownerX + (int) (AVOID_RADIUS * Math.cos(angle)); | ||||
| 				final int targetY = ownerY + (int) (AVOID_RADIUS * Math.sin(angle)); | ||||
| 				if (GeoEngine.getInstance().canMoveToTarget(_actor.getX(), _actor.getY(), _actor.getZ(), targetX, targetY, _actor.getZ(), _actor.getInstanceWorld())) | ||||
| 				{ | ||||
| 					moveTo(targetX, targetY, _actor.getZ()); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void notifyFollowStatusChange() | ||||
| 	{ | ||||
| 		_startFollow = !_startFollow; | ||||
| 		switch (getIntention()) | ||||
| 		{ | ||||
| 			case AI_INTENTION_ACTIVE: | ||||
| 			case AI_INTENTION_FOLLOW: | ||||
| 			case AI_INTENTION_IDLE: | ||||
| 			case AI_INTENTION_MOVE_TO: | ||||
| 			case AI_INTENTION_PICK_UP: | ||||
| 			{ | ||||
| 				((L2Summon) _actor).setFollowStatus(_startFollow); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void setStartFollowController(boolean val) | ||||
| 	{ | ||||
| 		_startFollow = val; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove) | ||||
| 	{ | ||||
| 		if (getIntention() == AI_INTENTION_ATTACK) | ||||
| 		{ | ||||
| 			_lastAttack = (getTarget() != null) && getTarget().isCharacter() ? (L2Character) getTarget() : null; | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_lastAttack = null; | ||||
| 		} | ||||
| 		super.onIntentionCast(skill, target, item, forceUse, dontMove); | ||||
| 	} | ||||
| 	 | ||||
| 	private void startAvoidTask() | ||||
| 	{ | ||||
| 		if (_avoidTask == null) | ||||
| 		{ | ||||
| 			_avoidTask = ThreadPoolManager.scheduleAtFixedRate(this, 100, 100); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void stopAvoidTask() | ||||
| 	{ | ||||
| 		if (_avoidTask != null) | ||||
| 		{ | ||||
| 			_avoidTask.cancel(false); | ||||
| 			_avoidTask = null; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void stopAITask() | ||||
| 	{ | ||||
| 		stopAvoidTask(); | ||||
| 		super.stopAITask(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public L2Summon getActor() | ||||
| 	{ | ||||
| 		return (L2Summon) super.getActor(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return if the summon is defending itself or master. | ||||
| 	 */ | ||||
| 	public boolean isDefending() | ||||
| 	{ | ||||
| 		return _isDefending; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param isDefending set the summon to defend itself and master, or be passive and avoid while being attacked. | ||||
| 	 */ | ||||
| 	public void setDefending(boolean isDefending) | ||||
| 	{ | ||||
| 		_isDefending = isDefending; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,123 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.L2Object; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Character; | ||||
| import com.l2jmobius.gameserver.model.actor.L2Vehicle; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
|  | ||||
| /** | ||||
|  * @author DS | ||||
|  */ | ||||
| public abstract class L2VehicleAI extends L2CharacterAI | ||||
| { | ||||
| 	/** | ||||
| 	 * Simple AI for vehicles | ||||
| 	 * @param vehicle | ||||
| 	 */ | ||||
| 	public L2VehicleAI(L2Vehicle vehicle) | ||||
| 	{ | ||||
| 		super(vehicle); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionAttack(L2Character target) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionCast(Skill skill, L2Object target, L2ItemInstance item, boolean forceUse, boolean dontMove) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionFollow(L2Character target) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionPickUp(L2Object item) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onIntentionInteract(L2Object object) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAttacked(L2Character attacker) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtAggression(L2Character target, int aggro) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtActionBlocked(L2Character attacker) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtRooted(L2Character attacker) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtForgetObject(L2Object object) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtCancel() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtDead() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtFakeDeath() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void onEvtFinishCasting() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void clientActionFailed() | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void moveToPawn(L2Object pawn, int offset) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	protected void clientStoppedMoving() | ||||
| 	{ | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,205 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.ai; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
|  | ||||
| /** | ||||
|  * Class for AI action after some event.<br> | ||||
|  * Has 2 array list for "work" and "break". | ||||
|  * @author Yaroslav | ||||
|  */ | ||||
| public class NextAction | ||||
| { | ||||
| 	public interface NextActionCallback | ||||
| 	{ | ||||
| 		void doWork(); | ||||
| 	} | ||||
| 	 | ||||
| 	private List<CtrlEvent> _events; | ||||
| 	private List<CtrlIntention> _intentions; | ||||
| 	private NextActionCallback _callback; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Main constructor. | ||||
| 	 * @param events | ||||
| 	 * @param intentions | ||||
| 	 * @param callback | ||||
| 	 */ | ||||
| 	public NextAction(List<CtrlEvent> events, List<CtrlIntention> intentions, NextActionCallback callback) | ||||
| 	{ | ||||
| 		_events = events; | ||||
| 		_intentions = intentions; | ||||
| 		setCallback(callback); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Single constructor. | ||||
| 	 * @param event | ||||
| 	 * @param intention | ||||
| 	 * @param callback | ||||
| 	 */ | ||||
| 	public NextAction(CtrlEvent event, CtrlIntention intention, NextActionCallback callback) | ||||
| 	{ | ||||
| 		if (_events == null) | ||||
| 		{ | ||||
| 			_events = new ArrayList<>(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (_intentions == null) | ||||
| 		{ | ||||
| 			_intentions = new ArrayList<>(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (event != null) | ||||
| 		{ | ||||
| 			_events.add(event); | ||||
| 		} | ||||
| 		 | ||||
| 		if (intention != null) | ||||
| 		{ | ||||
| 			_intentions.add(intention); | ||||
| 		} | ||||
| 		setCallback(callback); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Do action. | ||||
| 	 */ | ||||
| 	public void doAction() | ||||
| 	{ | ||||
| 		if (_callback != null) | ||||
| 		{ | ||||
| 			_callback.doWork(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the _event | ||||
| 	 */ | ||||
| 	public List<CtrlEvent> getEvents() | ||||
| 	{ | ||||
| 		// If null return empty list. | ||||
| 		if (_events == null) | ||||
| 		{ | ||||
| 			_events = new ArrayList<>(); | ||||
| 		} | ||||
| 		return _events; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param event the event to set. | ||||
| 	 */ | ||||
| 	public void setEvents(ArrayList<CtrlEvent> event) | ||||
| 	{ | ||||
| 		_events = event; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param event | ||||
| 	 */ | ||||
| 	public void addEvent(CtrlEvent event) | ||||
| 	{ | ||||
| 		if (_events == null) | ||||
| 		{ | ||||
| 			_events = new ArrayList<>(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (event != null) | ||||
| 		{ | ||||
| 			_events.add(event); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param event | ||||
| 	 */ | ||||
| 	public void removeEvent(CtrlEvent event) | ||||
| 	{ | ||||
| 		if (_events == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		_events.remove(event); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the _callback | ||||
| 	 */ | ||||
| 	public NextActionCallback getCallback() | ||||
| 	{ | ||||
| 		return _callback; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param callback the callback to set. | ||||
| 	 */ | ||||
| 	public void setCallback(NextActionCallback callback) | ||||
| 	{ | ||||
| 		_callback = callback; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the _intentions | ||||
| 	 */ | ||||
| 	public List<CtrlIntention> getIntentions() | ||||
| 	{ | ||||
| 		// If null return empty list. | ||||
| 		if (_intentions == null) | ||||
| 		{ | ||||
| 			_intentions = new ArrayList<>(); | ||||
| 		} | ||||
| 		return _intentions; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param intentions the intention to set. | ||||
| 	 */ | ||||
| 	public void setIntentions(ArrayList<CtrlIntention> intentions) | ||||
| 	{ | ||||
| 		_intentions = intentions; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param intention | ||||
| 	 */ | ||||
| 	public void addIntention(CtrlIntention intention) | ||||
| 	{ | ||||
| 		if (_intentions == null) | ||||
| 		{ | ||||
| 			_intentions = new ArrayList<>(); | ||||
| 		} | ||||
| 		 | ||||
| 		if (intention != null) | ||||
| 		{ | ||||
| 			_intentions.add(intention); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param intention | ||||
| 	 */ | ||||
| 	public void removeIntention(CtrlIntention intention) | ||||
| 	{ | ||||
| 		if (_intentions == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		_intentions.remove(intention); | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										281
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/gameserver/cache/HtmCache.java
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										281
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/gameserver/cache/HtmCache.java
									
									
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,281 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.cache; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.nio.charset.StandardCharsets; | ||||
| import java.util.HashMap; | ||||
| import java.util.LinkedHashMap; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
| import java.util.regex.Matcher; | ||||
| import java.util.regex.Pattern; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.util.file.filter.HTMLFilter; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| /** | ||||
|  * @author Layane | ||||
|  */ | ||||
| public class HtmCache | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(HtmCache.class.getName()); | ||||
| 	 | ||||
| 	private static final HTMLFilter HTML_FILTER = new HTMLFilter(); | ||||
| 	private static final Pattern EXTEND_PATTERN = Pattern.compile("<extend template=\"([a-zA-Z0-9-_./\\ ]*)\">(.*?)</extend>", Pattern.DOTALL); | ||||
| 	private static final Pattern ABSTRACT_BLOCK_PATTERN = Pattern.compile("<abstract block=\"([a-zA-Z0-9-_. ]*)\" ?/>", Pattern.DOTALL); | ||||
| 	private static final Pattern BLOCK_PATTERN = Pattern.compile("<block name=\"([a-zA-Z0-9-_. ]*)\">(.*?)</block>", Pattern.DOTALL); | ||||
| 	 | ||||
| 	private final Map<String, String> _cache = Config.LAZY_CACHE ? new ConcurrentHashMap<>() : new HashMap<>(); | ||||
| 	 | ||||
| 	private int _loadedFiles; | ||||
| 	private long _bytesBuffLen; | ||||
| 	 | ||||
| 	protected HtmCache() | ||||
| 	{ | ||||
| 		reload(); | ||||
| 	} | ||||
| 	 | ||||
| 	public void reload() | ||||
| 	{ | ||||
| 		reload(Config.DATAPACK_ROOT); | ||||
| 	} | ||||
| 	 | ||||
| 	public void reload(File f) | ||||
| 	{ | ||||
| 		if (!Config.LAZY_CACHE) | ||||
| 		{ | ||||
| 			LOGGER.info("Html cache start..."); | ||||
| 			parseDir(f); | ||||
| 			LOGGER.info("Cache[HTML]: " + String.format("%.3f", getMemoryUsage()) + " megabytes on " + getLoadedFiles() + " files loaded"); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			_cache.clear(); | ||||
| 			_loadedFiles = 0; | ||||
| 			_bytesBuffLen = 0; | ||||
| 			LOGGER.info("Cache[HTML]: Running lazy cache"); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void reloadPath(File f) | ||||
| 	{ | ||||
| 		parseDir(f); | ||||
| 		LOGGER.info("Cache[HTML]: Reloaded specified path."); | ||||
| 	} | ||||
| 	 | ||||
| 	public double getMemoryUsage() | ||||
| 	{ | ||||
| 		return (float) _bytesBuffLen / 1048576; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getLoadedFiles() | ||||
| 	{ | ||||
| 		return _loadedFiles; | ||||
| 	} | ||||
| 	 | ||||
| 	private void parseDir(File dir) | ||||
| 	{ | ||||
| 		final File[] files = dir.listFiles(); | ||||
| 		if (files != null) | ||||
| 		{ | ||||
| 			for (File file : files) | ||||
| 			{ | ||||
| 				if (!file.isDirectory()) | ||||
| 				{ | ||||
| 					loadFile(file); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					parseDir(file); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public String loadFile(File file) | ||||
| 	{ | ||||
| 		if (HTML_FILTER.accept(file)) | ||||
| 		{ | ||||
| 			try | ||||
| 			{ | ||||
| 				String content = processHtml(Util.readAllLines(file, StandardCharsets.UTF_8, null)); | ||||
| 				content = content.replaceAll("(?s)<!--.*?-->", ""); // Remove html comments | ||||
| 				// content = content.replaceAll("\r", "").replaceAll("\n", ""); // Remove new lines | ||||
| 				 | ||||
| 				final String oldContent = _cache.put(file.toURI().getPath().substring(Config.DATAPACK_ROOT.toURI().getPath().length()), content); | ||||
| 				if (oldContent == null) | ||||
| 				{ | ||||
| 					_bytesBuffLen += content.length() * 2; | ||||
| 					_loadedFiles++; | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					_bytesBuffLen = (_bytesBuffLen - oldContent.length()) + (content.length() * 2); | ||||
| 				} | ||||
| 				return content; | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, "Problem with htm file:", e); | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	public String getHtmForce(String prefix, String path) | ||||
| 	{ | ||||
| 		String content = getHtm(prefix, path); | ||||
| 		if (content == null) | ||||
| 		{ | ||||
| 			content = "<html><body>My text is missing:<br>" + path + "</body></html>"; | ||||
| 			LOGGER.warning("Cache[HTML]: Missing HTML page: " + path); | ||||
| 		} | ||||
| 		return content; | ||||
| 	} | ||||
| 	 | ||||
| 	public String getHtm(String prefix, String path) | ||||
| 	{ | ||||
| 		String newPath = null; | ||||
| 		String content; | ||||
| 		if ((prefix != null) && !prefix.isEmpty()) | ||||
| 		{ | ||||
| 			newPath = prefix + path; | ||||
| 			content = getHtm(newPath); | ||||
| 			if (content != null) | ||||
| 			{ | ||||
| 				return content; | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		content = getHtm(path); | ||||
| 		if ((content != null) && (newPath != null)) | ||||
| 		{ | ||||
| 			_cache.put(newPath, content); | ||||
| 		} | ||||
| 		 | ||||
| 		return content; | ||||
| 	} | ||||
| 	 | ||||
| 	private String getHtm(String path) | ||||
| 	{ | ||||
| 		// TODO: Check why some files do not get in cache on server startup. | ||||
| 		return (path == null) || path.isEmpty() ? "" : _cache.get(path) == null ? loadFile(new File(Config.DATAPACK_ROOT, path)) : _cache.get(path); | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean contains(String path) | ||||
| 	{ | ||||
| 		return _cache.containsKey(path); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param path The path to the HTM | ||||
| 	 * @return {@code true} if the path targets a HTM or HTML file, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	public boolean isLoadable(String path) | ||||
| 	{ | ||||
| 		return HTML_FILTER.accept(new File(Config.DATAPACK_ROOT, path)); | ||||
| 	} | ||||
| 	 | ||||
| 	private String parseTemplateName(String name) | ||||
| 	{ | ||||
| 		if (!name.startsWith("data/")) | ||||
| 		{ | ||||
| 			if (name.startsWith("html/")) | ||||
| 			{ | ||||
| 				return "data/" + name; | ||||
| 			} | ||||
| 			else if (name.startsWith("CommunityBoard/")) | ||||
| 			{ | ||||
| 				return "data/html/" + name; | ||||
| 			} | ||||
| 			else if (name.startsWith("scripts/")) | ||||
| 			{ | ||||
| 				return "data/scripts/" + name; | ||||
| 			} | ||||
| 		} | ||||
| 		return name; | ||||
| 	} | ||||
| 	 | ||||
| 	private String processHtml(String result) | ||||
| 	{ | ||||
| 		final Matcher extendMatcher = EXTEND_PATTERN.matcher(result); | ||||
| 		if (extendMatcher.find()) | ||||
| 		{ | ||||
| 			// If extend matcher finds something, process template | ||||
| 			final String templateName = parseTemplateName(extendMatcher.group(1)); | ||||
| 			 | ||||
| 			// Generate block name -> content map | ||||
| 			final Map<String, String> blockMap = generateBlockMap(result); | ||||
| 			 | ||||
| 			// Attempt to find the template | ||||
| 			String template = getHtm(templateName + "-template.htm"); | ||||
| 			if (template != null) | ||||
| 			{ | ||||
| 				// Attempt to find the abstract blocks | ||||
| 				final Matcher blockMatcher = ABSTRACT_BLOCK_PATTERN.matcher(template); | ||||
| 				while (blockMatcher.find()) | ||||
| 				{ | ||||
| 					final String name = blockMatcher.group(1); | ||||
| 					if (!blockMap.containsKey(name)) | ||||
| 					{ | ||||
| 						LOGGER.warning(getClass().getSimpleName() + ": Abstract block definition [" + name + "] is not implemented!"); | ||||
| 						continue; | ||||
| 					} | ||||
| 					 | ||||
| 					// Replace the matched content with the block. | ||||
| 					template = template.replace(blockMatcher.group(0), blockMap.get(name)); | ||||
| 				} | ||||
| 				 | ||||
| 				// Replace the entire extend block | ||||
| 				result = result.replace(extendMatcher.group(0), template); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				LOGGER.warning(getClass().getSimpleName() + ": Missing template: " + templateName + "-template.htm !"); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	private Map<String, String> generateBlockMap(String data) | ||||
| 	{ | ||||
| 		final Map<String, String> blockMap = new LinkedHashMap<>(); | ||||
| 		final Matcher blockMatcher = BLOCK_PATTERN.matcher(data); | ||||
| 		while (blockMatcher.find()) | ||||
| 		{ | ||||
| 			final String name = blockMatcher.group(1); | ||||
| 			final String content = blockMatcher.group(2); | ||||
| 			blockMap.put(name, content); | ||||
| 		} | ||||
| 		return blockMap; | ||||
| 	} | ||||
| 	 | ||||
| 	public static HtmCache getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final HtmCache _instance = new HtmCache(); | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										75
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/gameserver/cache/WarehouseCacheManager.java
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										75
									
								
								L2J_Mobius_4.0_GrandCrusade/java/com/l2jmobius/gameserver/cache/WarehouseCacheManager.java
									
									
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,75 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.cache; | ||||
|  | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
|  | ||||
| /** | ||||
|  * @author -Nemesiss- | ||||
|  */ | ||||
| public class WarehouseCacheManager | ||||
| { | ||||
| 	protected final Map<L2PcInstance, Long> _cachedWh = new ConcurrentHashMap<>(); | ||||
| 	protected final long _cacheTime = Config.WAREHOUSE_CACHE_TIME * 60000L; | ||||
| 	 | ||||
| 	protected WarehouseCacheManager() | ||||
| 	{ | ||||
| 		ThreadPoolManager.scheduleAtFixedRate(new CacheScheduler(), 120000, 60000); | ||||
| 	} | ||||
| 	 | ||||
| 	public void addCacheTask(L2PcInstance pc) | ||||
| 	{ | ||||
| 		_cachedWh.put(pc, System.currentTimeMillis()); | ||||
| 	} | ||||
| 	 | ||||
| 	public void remCacheTask(L2PcInstance pc) | ||||
| 	{ | ||||
| 		_cachedWh.remove(pc); | ||||
| 	} | ||||
| 	 | ||||
| 	public class CacheScheduler implements Runnable | ||||
| 	{ | ||||
| 		@Override | ||||
| 		public void run() | ||||
| 		{ | ||||
| 			final long cTime = System.currentTimeMillis(); | ||||
| 			for (L2PcInstance pc : _cachedWh.keySet()) | ||||
| 			{ | ||||
| 				if ((cTime - _cachedWh.get(pc)) > _cacheTime) | ||||
| 				{ | ||||
| 					pc.clearWarehouse(); | ||||
| 					_cachedWh.remove(pc); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static WarehouseCacheManager getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final WarehouseCacheManager _instance = new WarehouseCacheManager(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,255 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.BB; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.concurrent.CopyOnWriteArrayList; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.communitybbs.Manager.ForumsBBSManager; | ||||
| import com.l2jmobius.gameserver.communitybbs.Manager.TopicBBSManager; | ||||
|  | ||||
| public class Forum | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(Forum.class.getName()); | ||||
| 	 | ||||
| 	// type | ||||
| 	public static final int ROOT = 0; | ||||
| 	public static final int NORMAL = 1; | ||||
| 	public static final int CLAN = 2; | ||||
| 	public static final int MEMO = 3; | ||||
| 	public static final int MAIL = 4; | ||||
| 	// perm | ||||
| 	public static final int INVISIBLE = 0; | ||||
| 	public static final int ALL = 1; | ||||
| 	public static final int CLANMEMBERONLY = 2; | ||||
| 	public static final int OWNERONLY = 3; | ||||
| 	 | ||||
| 	private final List<Forum> _children; | ||||
| 	private final Map<Integer, Topic> _topic = new ConcurrentHashMap<>(); | ||||
| 	private final int _forumId; | ||||
| 	private String _forumName; | ||||
| 	private int _forumType; | ||||
| 	private int _forumPost; | ||||
| 	private int _forumPerm; | ||||
| 	private final Forum _fParent; | ||||
| 	private int _ownerID; | ||||
| 	private boolean _loaded = false; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Creates new instance of Forum. When you create new forum, use {@link com.l2jmobius.gameserver.communitybbs.Manager.ForumsBBSManager# addForum(com.l2jmobius.gameserver.communitybbs.BB.Forum)} to add forum to the forums manager. | ||||
| 	 * @param Forumid | ||||
| 	 * @param FParent | ||||
| 	 */ | ||||
| 	public Forum(int Forumid, Forum FParent) | ||||
| 	{ | ||||
| 		_forumId = Forumid; | ||||
| 		_fParent = FParent; | ||||
| 		_children = new CopyOnWriteArrayList<>(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param name | ||||
| 	 * @param parent | ||||
| 	 * @param type | ||||
| 	 * @param perm | ||||
| 	 * @param OwnerID | ||||
| 	 */ | ||||
| 	public Forum(String name, Forum parent, int type, int perm, int OwnerID) | ||||
| 	{ | ||||
| 		_forumName = name; | ||||
| 		_forumId = ForumsBBSManager.getInstance().getANewID(); | ||||
| 		_forumType = type; | ||||
| 		_forumPost = 0; | ||||
| 		_forumPerm = perm; | ||||
| 		_fParent = parent; | ||||
| 		_ownerID = OwnerID; | ||||
| 		_children = new CopyOnWriteArrayList<>(); | ||||
| 		parent._children.add(this); | ||||
| 		ForumsBBSManager.getInstance().addForum(this); | ||||
| 		_loaded = true; | ||||
| 	} | ||||
| 	 | ||||
| 	private void load() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT * FROM forums WHERE forum_id=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, _forumId); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rs.next()) | ||||
| 				{ | ||||
| 					_forumName = rs.getString("forum_name"); | ||||
| 					_forumPost = rs.getInt("forum_post"); | ||||
| 					_forumType = rs.getInt("forum_type"); | ||||
| 					_forumPerm = rs.getInt("forum_perm"); | ||||
| 					_ownerID = rs.getInt("forum_owner_id"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Data error on Forum " + _forumId + " : " + e.getMessage(), e); | ||||
| 		} | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT * FROM topic WHERE topic_forum_id=? ORDER BY topic_id DESC")) | ||||
| 		{ | ||||
| 			ps.setInt(1, _forumId); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					final Topic t = new Topic(Topic.ConstructorType.RESTORE, rs.getInt("topic_id"), rs.getInt("topic_forum_id"), rs.getString("topic_name"), rs.getLong("topic_date"), rs.getString("topic_ownername"), rs.getInt("topic_ownerid"), rs.getInt("topic_type"), rs.getInt("topic_reply")); | ||||
| 					_topic.put(t.getID(), t); | ||||
| 					if (t.getID() > TopicBBSManager.getInstance().getMaxID(this)) | ||||
| 					{ | ||||
| 						TopicBBSManager.getInstance().setMaxID(t.getID(), this); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Data error on Forum " + _forumId + " : " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void getChildren() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT forum_id FROM forums WHERE forum_parent=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, _forumId); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					final Forum f = new Forum(rs.getInt("forum_id"), this); | ||||
| 					_children.add(f); | ||||
| 					ForumsBBSManager.getInstance().addForum(f); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Data error on Forum (children): " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public int getTopicSize() | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		return _topic.size(); | ||||
| 	} | ||||
| 	 | ||||
| 	public Topic getTopic(int j) | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		return _topic.get(j); | ||||
| 	} | ||||
| 	 | ||||
| 	public void addTopic(Topic t) | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		_topic.put(t.getID(), t); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the forum Id | ||||
| 	 */ | ||||
| 	public int getID() | ||||
| 	{ | ||||
| 		return _forumId; | ||||
| 	} | ||||
| 	 | ||||
| 	public String getName() | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		return _forumName; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getType() | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		return _forumType; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param name the forum name | ||||
| 	 * @return the forum for the given name | ||||
| 	 */ | ||||
| 	public Forum getChildByName(String name) | ||||
| 	{ | ||||
| 		vload(); | ||||
| 		for (Forum f : _children) | ||||
| 		{ | ||||
| 			if (f.getName().equals(name)) | ||||
| 			{ | ||||
| 				return f; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param id | ||||
| 	 */ | ||||
| 	public void rmTopicByID(int id) | ||||
| 	{ | ||||
| 		_topic.remove(id); | ||||
| 		 | ||||
| 	} | ||||
| 	 | ||||
| 	public void insertIntoDb() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("INSERT INTO forums (forum_id,forum_name,forum_parent,forum_post,forum_type,forum_perm,forum_owner_id) VALUES (?,?,?,?,?,?,?)")) | ||||
| 		{ | ||||
| 			ps.setInt(1, _forumId); | ||||
| 			ps.setString(2, _forumName); | ||||
| 			ps.setInt(3, _fParent.getID()); | ||||
| 			ps.setInt(4, _forumPost); | ||||
| 			ps.setInt(5, _forumType); | ||||
| 			ps.setInt(6, _forumPerm); | ||||
| 			ps.setInt(7, _ownerID); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while saving new Forum to db " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void vload() | ||||
| 	{ | ||||
| 		if (!_loaded) | ||||
| 		{ | ||||
| 			load(); | ||||
| 			getChildren(); | ||||
| 			_loaded = true; | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,180 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.BB; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.util.List; | ||||
| import java.util.concurrent.CopyOnWriteArrayList; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.communitybbs.Manager.PostBBSManager; | ||||
|  | ||||
| /** | ||||
|  * @author Maktakien | ||||
|  */ | ||||
| public class Post | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(Post.class.getName()); | ||||
| 	 | ||||
| 	public static class CPost | ||||
| 	{ | ||||
| 		public int postId; | ||||
| 		public String postOwner; | ||||
| 		public int postOwnerId; | ||||
| 		public long postDate; | ||||
| 		public int postTopicId; | ||||
| 		public int postForumId; | ||||
| 		public String postTxt; | ||||
| 	} | ||||
| 	 | ||||
| 	private final List<CPost> _post; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param _PostOwner | ||||
| 	 * @param _PostOwnerID | ||||
| 	 * @param date | ||||
| 	 * @param tid | ||||
| 	 * @param _PostForumID | ||||
| 	 * @param txt | ||||
| 	 */ | ||||
| 	public Post(String _PostOwner, int _PostOwnerID, long date, int tid, int _PostForumID, String txt) | ||||
| 	{ | ||||
| 		_post = new CopyOnWriteArrayList<>(); | ||||
| 		final CPost cp = new CPost(); | ||||
| 		cp.postId = 0; | ||||
| 		cp.postOwner = _PostOwner; | ||||
| 		cp.postOwnerId = _PostOwnerID; | ||||
| 		cp.postDate = date; | ||||
| 		cp.postTopicId = tid; | ||||
| 		cp.postForumId = _PostForumID; | ||||
| 		cp.postTxt = txt; | ||||
| 		_post.add(cp); | ||||
| 		insertindb(cp); | ||||
| 	} | ||||
| 	 | ||||
| 	public void insertindb(CPost cp) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("INSERT INTO posts (post_id,post_owner_name,post_ownerid,post_date,post_topic_id,post_forum_id,post_txt) values (?,?,?,?,?,?,?)")) | ||||
| 		{ | ||||
| 			ps.setInt(1, cp.postId); | ||||
| 			ps.setString(2, cp.postOwner); | ||||
| 			ps.setInt(3, cp.postOwnerId); | ||||
| 			ps.setLong(4, cp.postDate); | ||||
| 			ps.setInt(5, cp.postTopicId); | ||||
| 			ps.setInt(6, cp.postForumId); | ||||
| 			ps.setString(7, cp.postTxt); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while saving new Post to db " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public Post(Topic t) | ||||
| 	{ | ||||
| 		_post = new CopyOnWriteArrayList<>(); | ||||
| 		load(t); | ||||
| 	} | ||||
| 	 | ||||
| 	public CPost getCPost(int id) | ||||
| 	{ | ||||
| 		int i = 0; | ||||
| 		for (CPost cp : _post) | ||||
| 		{ | ||||
| 			if (i++ == id) | ||||
| 			{ | ||||
| 				return cp; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	public void deleteme(Topic t) | ||||
| 	{ | ||||
| 		PostBBSManager.getInstance().delPostByTopic(t); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("DELETE FROM posts WHERE post_forum_id=? AND post_topic_id=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, t.getForumID()); | ||||
| 			ps.setInt(2, t.getID()); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while deleting post: " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param t | ||||
| 	 */ | ||||
| 	private void load(Topic t) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT * FROM posts WHERE post_forum_id=? AND post_topic_id=? ORDER BY post_id ASC")) | ||||
| 		{ | ||||
| 			ps.setInt(1, t.getForumID()); | ||||
| 			ps.setInt(2, t.getID()); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					final CPost cp = new CPost(); | ||||
| 					cp.postId = rs.getInt("post_id"); | ||||
| 					cp.postOwner = rs.getString("post_owner_name"); | ||||
| 					cp.postOwnerId = rs.getInt("post_ownerid"); | ||||
| 					cp.postDate = rs.getLong("post_date"); | ||||
| 					cp.postTopicId = rs.getInt("post_topic_id"); | ||||
| 					cp.postForumId = rs.getInt("post_forum_id"); | ||||
| 					cp.postTxt = rs.getString("post_txt"); | ||||
| 					_post.add(cp); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Data error on Post " + t.getForumID() + "/" + t.getID() + " : " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param i | ||||
| 	 */ | ||||
| 	public void updatetxt(int i) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("UPDATE posts SET post_txt=? WHERE post_id=? AND post_topic_id=? AND post_forum_id=?")) | ||||
| 		{ | ||||
| 			final CPost cp = getCPost(i); | ||||
| 			ps.setString(1, cp.postTxt); | ||||
| 			ps.setInt(2, cp.postId); | ||||
| 			ps.setInt(3, cp.postTopicId); | ||||
| 			ps.setInt(4, cp.postForumId); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while saving new Post to db " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,152 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.BB; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.communitybbs.Manager.TopicBBSManager; | ||||
|  | ||||
| public class Topic | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(Topic.class.getName()); | ||||
| 	 | ||||
| 	public static final int MORMAL = 0; | ||||
| 	public static final int MEMO = 1; | ||||
| 	 | ||||
| 	private final int _id; | ||||
| 	private final int _forumId; | ||||
| 	private final String _topicName; | ||||
| 	private final long _date; | ||||
| 	private final String _ownerName; | ||||
| 	private final int _ownerId; | ||||
| 	private final int _type; | ||||
| 	private final int _cReply; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param ct | ||||
| 	 * @param id | ||||
| 	 * @param fid | ||||
| 	 * @param name | ||||
| 	 * @param date | ||||
| 	 * @param oname | ||||
| 	 * @param oid | ||||
| 	 * @param type | ||||
| 	 * @param Creply | ||||
| 	 */ | ||||
| 	public Topic(ConstructorType ct, int id, int fid, String name, long date, String oname, int oid, int type, int Creply) | ||||
| 	{ | ||||
| 		_id = id; | ||||
| 		_forumId = fid; | ||||
| 		_topicName = name; | ||||
| 		_date = date; | ||||
| 		_ownerName = oname; | ||||
| 		_ownerId = oid; | ||||
| 		_type = type; | ||||
| 		_cReply = Creply; | ||||
| 		TopicBBSManager.getInstance().addTopic(this); | ||||
| 		 | ||||
| 		if (ct == ConstructorType.CREATE) | ||||
| 		{ | ||||
| 			insertindb(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void insertindb() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("INSERT INTO topic (topic_id,topic_forum_id,topic_name,topic_date,topic_ownername,topic_ownerid,topic_type,topic_reply) values (?,?,?,?,?,?,?,?)")) | ||||
| 		{ | ||||
| 			ps.setInt(1, _id); | ||||
| 			ps.setInt(2, _forumId); | ||||
| 			ps.setString(3, _topicName); | ||||
| 			ps.setLong(4, _date); | ||||
| 			ps.setString(5, _ownerName); | ||||
| 			ps.setInt(6, _ownerId); | ||||
| 			ps.setInt(7, _type); | ||||
| 			ps.setInt(8, _cReply); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while saving new Topic to db " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public enum ConstructorType | ||||
| 	{ | ||||
| 		RESTORE, | ||||
| 		CREATE | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the topic Id | ||||
| 	 */ | ||||
| 	public int getID() | ||||
| 	{ | ||||
| 		return _id; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getForumID() | ||||
| 	{ | ||||
| 		return _forumId; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the topic name | ||||
| 	 */ | ||||
| 	public String getName() | ||||
| 	{ | ||||
| 		return _topicName; | ||||
| 	} | ||||
| 	 | ||||
| 	public String getOwnerName() | ||||
| 	{ | ||||
| 		return _ownerName; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param f | ||||
| 	 */ | ||||
| 	public void deleteme(Forum f) | ||||
| 	{ | ||||
| 		TopicBBSManager.getInstance().delTopic(this); | ||||
| 		f.rmTopicByID(getID()); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("DELETE FROM topic WHERE topic_id=? AND topic_forum_id=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, getID()); | ||||
| 			ps.setInt(2, f.getID()); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Error while deleting topic: " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return the topic date | ||||
| 	 */ | ||||
| 	public long getDate() | ||||
| 	{ | ||||
| 		return _date; | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,79 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.Manager; | ||||
|  | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.ShowBoard; | ||||
|  | ||||
| public abstract class BaseBBSManager | ||||
| { | ||||
| 	public abstract void parsecmd(String command, L2PcInstance activeChar); | ||||
| 	 | ||||
| 	public abstract void parsewrite(String ar1, String ar2, String ar3, String ar4, String ar5, L2PcInstance activeChar); | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param html | ||||
| 	 * @param acha | ||||
| 	 */ | ||||
| 	protected void send1001(String html, L2PcInstance acha) | ||||
| 	{ | ||||
| 		if (html.length() < 8192) | ||||
| 		{ | ||||
| 			acha.sendPacket(new ShowBoard(html, "1001")); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param acha | ||||
| 	 */ | ||||
| 	protected void send1002(L2PcInstance acha) | ||||
| 	{ | ||||
| 		send1002(acha, " ", " ", "0"); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param activeChar | ||||
| 	 * @param string | ||||
| 	 * @param string2 | ||||
| 	 * @param string3 | ||||
| 	 */ | ||||
| 	protected void send1002(L2PcInstance activeChar, String string, String string2, String string3) | ||||
| 	{ | ||||
| 		final List<String> _arg = new ArrayList<>(20); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add(activeChar.getName()); | ||||
| 		_arg.add(Integer.toString(activeChar.getObjectId())); | ||||
| 		_arg.add(activeChar.getAccountName()); | ||||
| 		_arg.add("9"); | ||||
| 		_arg.add(string2); // subject? | ||||
| 		_arg.add(string2); // subject? | ||||
| 		_arg.add(string); // text | ||||
| 		_arg.add(string3); // date? | ||||
| 		_arg.add(string3); // date? | ||||
| 		_arg.add("0"); | ||||
| 		_arg.add("0"); | ||||
| 		activeChar.sendPacket(new ShowBoard(_arg)); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,173 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.Manager; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.List; | ||||
| import java.util.concurrent.CopyOnWriteArrayList; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Forum; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
|  | ||||
| public class ForumsBBSManager extends BaseBBSManager | ||||
| { | ||||
| 	private static Logger _log = Logger.getLogger(ForumsBBSManager.class.getName()); | ||||
| 	private final List<Forum> _table; | ||||
| 	private int _lastid = 1; | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Instantiates a new forums bbs manager. | ||||
| 	 */ | ||||
| 	protected ForumsBBSManager() | ||||
| 	{ | ||||
| 		_table = new CopyOnWriteArrayList<>(); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement s = con.createStatement(); | ||||
| 			ResultSet rs = s.executeQuery("SELECT forum_id FROM forums WHERE forum_type = 0")) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final int forumId = rs.getInt("forum_id"); | ||||
| 				final Forum f = new Forum(forumId, null); | ||||
| 				addForum(f); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Data error on Forum (root): " + e.getMessage(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Inits the root. | ||||
| 	 */ | ||||
| 	public void initRoot() | ||||
| 	{ | ||||
| 		for (Forum f : _table) | ||||
| 		{ | ||||
| 			f.vload(); | ||||
| 		} | ||||
| 		_log.info(getClass().getSimpleName() + ": Loaded " + _table.size() + " forums. Last forum id used: " + _lastid); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Adds the forum. | ||||
| 	 * @param ff the forum | ||||
| 	 */ | ||||
| 	public void addForum(Forum ff) | ||||
| 	{ | ||||
| 		if (ff == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_table.add(ff); | ||||
| 		 | ||||
| 		if (ff.getID() > _lastid) | ||||
| 		{ | ||||
| 			_lastid = ff.getID(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsecmd(String command, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the forum by name. | ||||
| 	 * @param name the forum name | ||||
| 	 * @return the forum by name | ||||
| 	 */ | ||||
| 	public Forum getForumByName(String name) | ||||
| 	{ | ||||
| 		for (Forum f : _table) | ||||
| 		{ | ||||
| 			if (f.getName().equals(name)) | ||||
| 			{ | ||||
| 				return f; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Creates the new forum. | ||||
| 	 * @param name the forum name | ||||
| 	 * @param parent the parent forum | ||||
| 	 * @param type the forum type | ||||
| 	 * @param perm the perm | ||||
| 	 * @param oid the oid | ||||
| 	 * @return the new forum | ||||
| 	 */ | ||||
| 	public Forum createNewForum(String name, Forum parent, int type, int perm, int oid) | ||||
| 	{ | ||||
| 		final Forum forum = new Forum(name, parent, type, perm, oid); | ||||
| 		forum.insertIntoDb(); | ||||
| 		return forum; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the a new Id. | ||||
| 	 * @return the a new Id | ||||
| 	 */ | ||||
| 	public int getANewID() | ||||
| 	{ | ||||
| 		return ++_lastid; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the forum by Id. | ||||
| 	 * @param idf the the forum Id | ||||
| 	 * @return the forum by Id | ||||
| 	 */ | ||||
| 	public Forum getForumByID(int idf) | ||||
| 	{ | ||||
| 		for (Forum f : _table) | ||||
| 		{ | ||||
| 			if (f.getID() == idf) | ||||
| 			{ | ||||
| 				return f; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsewrite(String ar1, String ar2, String ar3, String ar4, String ar5, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of ForumsBBSManager. | ||||
| 	 * @return single instance of ForumsBBSManager | ||||
| 	 */ | ||||
| 	public static ForumsBBSManager getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ForumsBBSManager _instance = new ForumsBBSManager(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,204 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.Manager; | ||||
|  | ||||
| import java.text.DateFormat; | ||||
| import java.util.Date; | ||||
| import java.util.Locale; | ||||
| import java.util.Map; | ||||
| import java.util.StringTokenizer; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
|  | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Forum; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Post; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Post.CPost; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Topic; | ||||
| import com.l2jmobius.gameserver.handler.CommunityBoardHandler; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
|  | ||||
| public class PostBBSManager extends BaseBBSManager | ||||
| { | ||||
| 	private final Map<Topic, Post> _postByTopic = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	public Post getGPosttByTopic(Topic t) | ||||
| 	{ | ||||
| 		Post post = _postByTopic.get(t); | ||||
| 		if (post == null) | ||||
| 		{ | ||||
| 			post = new Post(t); | ||||
| 			_postByTopic.put(t, post); | ||||
| 		} | ||||
| 		return post; | ||||
| 	} | ||||
| 	 | ||||
| 	public void delPostByTopic(Topic t) | ||||
| 	{ | ||||
| 		_postByTopic.remove(t); | ||||
| 	} | ||||
| 	 | ||||
| 	public void addPostByTopic(Post p, Topic t) | ||||
| 	{ | ||||
| 		if (_postByTopic.get(t) == null) | ||||
| 		{ | ||||
| 			_postByTopic.put(t, p); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsecmd(String command, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		if (command.startsWith("_bbsposts;read;")) | ||||
| 		{ | ||||
| 			final StringTokenizer st = new StringTokenizer(command, ";"); | ||||
| 			st.nextToken(); | ||||
| 			st.nextToken(); | ||||
| 			final int idf = Integer.parseInt(st.nextToken()); | ||||
| 			final int idp = Integer.parseInt(st.nextToken()); | ||||
| 			String index = null; | ||||
| 			if (st.hasMoreTokens()) | ||||
| 			{ | ||||
| 				index = st.nextToken(); | ||||
| 			} | ||||
| 			int ind = 0; | ||||
| 			if (index == null) | ||||
| 			{ | ||||
| 				ind = 1; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				ind = Integer.parseInt(index); | ||||
| 			} | ||||
| 			 | ||||
| 			showPost(TopicBBSManager.getInstance().getTopicByID(idp), ForumsBBSManager.getInstance().getForumByID(idf), activeChar, ind); | ||||
| 		} | ||||
| 		else if (command.startsWith("_bbsposts;edit;")) | ||||
| 		{ | ||||
| 			final StringTokenizer st = new StringTokenizer(command, ";"); | ||||
| 			st.nextToken(); | ||||
| 			st.nextToken(); | ||||
| 			final int idf = Integer.parseInt(st.nextToken()); | ||||
| 			final int idt = Integer.parseInt(st.nextToken()); | ||||
| 			final int idp = Integer.parseInt(st.nextToken()); | ||||
| 			showEditPost(TopicBBSManager.getInstance().getTopicByID(idt), ForumsBBSManager.getInstance().getForumByID(idf), activeChar, idp); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the command: " + command + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showEditPost(Topic topic, Forum forum, L2PcInstance activeChar, int idp) | ||||
| 	{ | ||||
| 		final Post p = getGPosttByTopic(topic); | ||||
| 		if ((forum == null) || (topic == null) || (p == null)) | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>Error, this forum, topic or post does not exit !</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			showHtmlEditPost(topic, activeChar, forum, p); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showPost(Topic topic, Forum forum, L2PcInstance activeChar, int ind) | ||||
| 	{ | ||||
| 		if ((forum == null) || (topic == null)) | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>Error, this forum is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 		else if (forum.getType() == Forum.MEMO) | ||||
| 		{ | ||||
| 			showMemoPost(topic, activeChar, forum); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + forum.getName() + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showHtmlEditPost(Topic topic, L2PcInstance activeChar, Forum forum, Post p) | ||||
| 	{ | ||||
| 		final String html = "<html><body><br><br><table border=0 width=610><tr><td width=10></td><td width=600 align=left><a action=\"bypass _bbshome\">HOME</a> > <a action=\"bypass _bbsmemo\">" + forum.getName() + " Form</a></td></tr></table><img src=\"L2UI.squareblank\" width=\"1\" height=\"10\"><center><table border=0 cellspacing=0 cellpadding=0><tr><td width=610><img src=\"sek.cbui355\" width=\"610\" height=\"1\"><br1><img src=\"sek.cbui355\" width=\"610\" height=\"1\"></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=20></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29>&$413;</td><td FIXWIDTH=540>" + topic.getName() + "</td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29 valign=top>&$427;</td><td align=center FIXWIDTH=540><MultiEdit var =\"Content\" width=535 height=313></td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29> </td><td align=center FIXWIDTH=70><button value=\"&$140;\" action=\"Write Post " + forum.getID() + ";" + topic.getID() + ";0 _ Content Content Content\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td><td align=center FIXWIDTH=70><button value = \"&$141;\" action=\"bypass _bbsmemo\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\"> </td><td align=center FIXWIDTH=400> </td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr></table></center></body></html>"; | ||||
| 		send1001(html, activeChar); | ||||
| 		send1002(activeChar, p.getCPost(0).postTxt, topic.getName(), DateFormat.getInstance().format(new Date(topic.getDate()))); | ||||
| 	} | ||||
| 	 | ||||
| 	private void showMemoPost(Topic topic, L2PcInstance activeChar, Forum forum) | ||||
| 	{ | ||||
| 		// | ||||
| 		final Post p = getGPosttByTopic(topic); | ||||
| 		final Locale locale = Locale.getDefault(); | ||||
| 		final DateFormat dateFormat = DateFormat.getDateInstance(DateFormat.FULL, locale); | ||||
| 		 | ||||
| 		String mes = p.getCPost(0).postTxt.replace(">", ">"); | ||||
| 		mes = mes.replace("<", "<"); | ||||
| 		 | ||||
| 		final String html = "<html><body><br><br><table border=0 width=610><tr><td width=10></td><td width=600 align=left><a action=\"bypass _bbshome\">HOME</a> > <a action=\"bypass _bbsmemo\">Memo Form</a></td></tr></table><img src=\"L2UI.squareblank\" width=\"1\" height=\"10\"><center><table border=0 cellspacing=0 cellpadding=0 bgcolor=333333><tr><td height=10></td></tr><tr><td fixWIDTH=55 align=right valign=top>&$413; :  </td><td fixWIDTH=380 valign=top>" + topic.getName() + "</td><td fixwidth=5></td><td fixwidth=50></td><td fixWIDTH=120></td></tr><tr><td height=10></td></tr><tr><td align=right><font color=\"AAAAAA\" >&$417; :  </font></td><td><font color=\"AAAAAA\">" + topic.getOwnerName() + "</font></td><td></td><td><font color=\"AAAAAA\">&$418; :</font></td><td><font color=\"AAAAAA\">" + dateFormat.format(p.getCPost(0).postDate) + "</font></td></tr><tr><td height=10></td></tr></table><br><table border=0 cellspacing=0 cellpadding=0><tr><td fixwidth=5></td><td FIXWIDTH=600 align=left>" + mes + "</td><td fixqqwidth=5></td></tr></table><br><img src=\"L2UI.squareblank\" width=\"1\" height=\"5\"><img src=\"L2UI.squaregray\" width=\"610\" height=\"1\"><img src=\"L2UI.squareblank\" width=\"1\" height=\"5\"><table border=0 cellspacing=0 cellpadding=0 FIXWIDTH=610><tr><td width=50><button value=\"&$422;\" action=\"bypass _bbsmemo\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\"></td><td width=560 align=right><table border=0 cellspacing=0><tr><td FIXWIDTH=300></td><td><button value = \"&$424;\" action=\"bypass _bbsposts;edit;" + forum.getID() + ";" + topic.getID() + ";0\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td> <td><button value = \"&$425;\" action=\"bypass _bbstopics;del;" + forum.getID() + ";" + topic.getID() + "\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td> <td><button value = \"&$421;\" action=\"bypass _bbstopics;crea;" + forum.getID() + "\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td> </tr></table></td></tr></table><br><br><br></center></body></html>"; | ||||
| 		CommunityBoardHandler.separateAndSend(html, activeChar); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsewrite(String ar1, String ar2, String ar3, String ar4, String ar5, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		final StringTokenizer st = new StringTokenizer(ar1, ";"); | ||||
| 		final int idf = Integer.parseInt(st.nextToken()); | ||||
| 		final int idt = Integer.parseInt(st.nextToken()); | ||||
| 		final int idp = Integer.parseInt(st.nextToken()); | ||||
| 		 | ||||
| 		final Forum f = ForumsBBSManager.getInstance().getForumByID(idf); | ||||
| 		if (f == null) | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + idf + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			final Topic t = f.getTopic(idt); | ||||
| 			if (t == null) | ||||
| 			{ | ||||
| 				CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the topic: " + idt + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final Post p = getGPosttByTopic(t); | ||||
| 				if (p != null) | ||||
| 				{ | ||||
| 					final CPost cp = p.getCPost(idp); | ||||
| 					if (cp == null) | ||||
| 					{ | ||||
| 						CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the post: " + idp + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						p.getCPost(idp).postTxt = ar4; | ||||
| 						p.updatetxt(idp); | ||||
| 						parsecmd("_bbsposts;read;" + f.getID() + ";" + t.getID(), activeChar); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static PostBBSManager getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final PostBBSManager _instance = new PostBBSManager(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,322 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.communitybbs.Manager; | ||||
|  | ||||
| import java.text.DateFormat; | ||||
| import java.util.Calendar; | ||||
| import java.util.Date; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.StringTokenizer; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.concurrent.CopyOnWriteArrayList; | ||||
|  | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Forum; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Post; | ||||
| import com.l2jmobius.gameserver.communitybbs.BB.Topic; | ||||
| import com.l2jmobius.gameserver.data.sql.impl.ClanTable; | ||||
| import com.l2jmobius.gameserver.handler.CommunityBoardHandler; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
|  | ||||
| public class TopicBBSManager extends BaseBBSManager | ||||
| { | ||||
| 	private final List<Topic> _table = new CopyOnWriteArrayList<>(); | ||||
| 	private final Map<Forum, Integer> _maxId = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	protected TopicBBSManager() | ||||
| 	{ | ||||
| 		// Prevent external initialization. | ||||
| 	} | ||||
| 	 | ||||
| 	public void addTopic(Topic tt) | ||||
| 	{ | ||||
| 		_table.add(tt); | ||||
| 	} | ||||
| 	 | ||||
| 	public void delTopic(Topic topic) | ||||
| 	{ | ||||
| 		_table.remove(topic); | ||||
| 	} | ||||
| 	 | ||||
| 	public void setMaxID(int id, Forum f) | ||||
| 	{ | ||||
| 		_maxId.put(f, id); | ||||
| 	} | ||||
| 	 | ||||
| 	public int getMaxID(Forum f) | ||||
| 	{ | ||||
| 		final Integer i = _maxId.get(f); | ||||
| 		if (i == null) | ||||
| 		{ | ||||
| 			return 0; | ||||
| 		} | ||||
| 		return i; | ||||
| 	} | ||||
| 	 | ||||
| 	public Topic getTopicByID(int idf) | ||||
| 	{ | ||||
| 		for (Topic t : _table) | ||||
| 		{ | ||||
| 			if (t.getID() == idf) | ||||
| 			{ | ||||
| 				return t; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsewrite(String ar1, String ar2, String ar3, String ar4, String ar5, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		if (ar1.equals("crea")) | ||||
| 		{ | ||||
| 			final Forum f = ForumsBBSManager.getInstance().getForumByID(Integer.parseInt(ar2)); | ||||
| 			if (f == null) | ||||
| 			{ | ||||
| 				CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + ar2 + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				f.vload(); | ||||
| 				final Topic t = new Topic(Topic.ConstructorType.CREATE, TopicBBSManager.getInstance().getMaxID(f) + 1, Integer.parseInt(ar2), ar5, Calendar.getInstance().getTimeInMillis(), activeChar.getName(), activeChar.getObjectId(), Topic.MEMO, 0); | ||||
| 				f.addTopic(t); | ||||
| 				TopicBBSManager.getInstance().setMaxID(t.getID(), f); | ||||
| 				final Post p = new Post(activeChar.getName(), activeChar.getObjectId(), Calendar.getInstance().getTimeInMillis(), t.getID(), f.getID(), ar4); | ||||
| 				PostBBSManager.getInstance().addPostByTopic(p, t); | ||||
| 				parsecmd("_bbsmemo", activeChar); | ||||
| 			} | ||||
| 		} | ||||
| 		else if (ar1.equals("del")) | ||||
| 		{ | ||||
| 			final Forum f = ForumsBBSManager.getInstance().getForumByID(Integer.parseInt(ar2)); | ||||
| 			if (f == null) | ||||
| 			{ | ||||
| 				CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + ar2 + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final Topic t = f.getTopic(Integer.parseInt(ar3)); | ||||
| 				if (t == null) | ||||
| 				{ | ||||
| 					CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the topic: " + ar3 + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					// CPost cp = null; | ||||
| 					final Post p = PostBBSManager.getInstance().getGPosttByTopic(t); | ||||
| 					if (p != null) | ||||
| 					{ | ||||
| 						p.deleteme(t); | ||||
| 					} | ||||
| 					t.deleteme(f); | ||||
| 					parsecmd("_bbsmemo", activeChar); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the command: " + ar1 + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parsecmd(String command, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		if (command.equals("_bbsmemo")) | ||||
| 		{ | ||||
| 			showTopics(activeChar.getMemo(), activeChar, 1, activeChar.getMemo().getID()); | ||||
| 		} | ||||
| 		else if (command.startsWith("_bbstopics;read")) | ||||
| 		{ | ||||
| 			final StringTokenizer st = new StringTokenizer(command, ";"); | ||||
| 			st.nextToken(); | ||||
| 			st.nextToken(); | ||||
| 			final int idf = Integer.parseInt(st.nextToken()); | ||||
| 			String index = null; | ||||
| 			if (st.hasMoreTokens()) | ||||
| 			{ | ||||
| 				index = st.nextToken(); | ||||
| 			} | ||||
| 			int ind = 0; | ||||
| 			if (index == null) | ||||
| 			{ | ||||
| 				ind = 1; | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				ind = Integer.parseInt(index); | ||||
| 			} | ||||
| 			showTopics(ForumsBBSManager.getInstance().getForumByID(idf), activeChar, ind, idf); | ||||
| 		} | ||||
| 		else if (command.startsWith("_bbstopics;crea")) | ||||
| 		{ | ||||
| 			final StringTokenizer st = new StringTokenizer(command, ";"); | ||||
| 			st.nextToken(); | ||||
| 			st.nextToken(); | ||||
| 			final int idf = Integer.parseInt(st.nextToken()); | ||||
| 			showNewTopic(ForumsBBSManager.getInstance().getForumByID(idf), activeChar, idf); | ||||
| 		} | ||||
| 		else if (command.startsWith("_bbstopics;del")) | ||||
| 		{ | ||||
| 			final StringTokenizer st = new StringTokenizer(command, ";"); | ||||
| 			st.nextToken(); | ||||
| 			st.nextToken(); | ||||
| 			final int idf = Integer.parseInt(st.nextToken()); | ||||
| 			final int idt = Integer.parseInt(st.nextToken()); | ||||
| 			final Forum f = ForumsBBSManager.getInstance().getForumByID(idf); | ||||
| 			if (f == null) | ||||
| 			{ | ||||
| 				CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + idf + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				final Topic t = f.getTopic(idt); | ||||
| 				if (t == null) | ||||
| 				{ | ||||
| 					CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the topic: " + idt + " does not exist !</center><br><br></body></html>", activeChar); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					// CPost cp = null; | ||||
| 					final Post p = PostBBSManager.getInstance().getGPosttByTopic(t); | ||||
| 					if (p != null) | ||||
| 					{ | ||||
| 						p.deleteme(t); | ||||
| 					} | ||||
| 					t.deleteme(f); | ||||
| 					parsecmd("_bbsmemo", activeChar); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the command: " + command + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showNewTopic(Forum forum, L2PcInstance activeChar, int idf) | ||||
| 	{ | ||||
| 		if (forum == null) | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + idf + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 		else if (forum.getType() == Forum.MEMO) | ||||
| 		{ | ||||
| 			showMemoNewTopics(forum, activeChar); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + forum.getName() + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showMemoNewTopics(Forum forum, L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		final String html = "<html><body><br><br><table border=0 width=610><tr><td width=10></td><td width=600 align=left><a action=\"bypass _bbshome\">HOME</a> > <a action=\"bypass _bbsmemo\">Memo Form</a></td></tr></table><img src=\"L2UI.squareblank\" width=\"1\" height=\"10\"><center><table border=0 cellspacing=0 cellpadding=0><tr><td width=610><img src=\"sek.cbui355\" width=\"610\" height=\"1\"><br1><img src=\"sek.cbui355\" width=\"610\" height=\"1\"></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=20></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29>&$413;</td><td FIXWIDTH=540><edit var = \"Title\" width=540 height=13></td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29 valign=top>&$427;</td><td align=center FIXWIDTH=540><MultiEdit var =\"Content\" width=535 height=313></td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr></table><table fixwidth=610 border=0 cellspacing=0 cellpadding=0><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=1></td><td align=center FIXWIDTH=60 height=29> </td><td align=center FIXWIDTH=70><button value=\"&$140;\" action=\"Write Topic crea " + forum.getID() + " Title Content Title\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td><td align=center FIXWIDTH=70><button value = \"&$141;\" action=\"bypass _bbsmemo\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\"> </td><td align=center FIXWIDTH=400> </td><td><img src=\"l2ui.mini_logo\" width=5 height=1></td></tr></table></center></body></html>"; | ||||
| 		send1001(html, activeChar); | ||||
| 		send1002(activeChar); | ||||
| 	} | ||||
| 	 | ||||
| 	private void showTopics(Forum forum, L2PcInstance activeChar, int index, int idf) | ||||
| 	{ | ||||
| 		if (forum == null) | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + idf + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 		else if (forum.getType() == Forum.MEMO) | ||||
| 		{ | ||||
| 			showMemoTopics(forum, activeChar, index); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			CommunityBoardHandler.separateAndSend("<html><body><br><br><center>the forum: " + forum.getName() + " is not implemented yet</center><br><br></body></html>", activeChar); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void showMemoTopics(Forum forum, L2PcInstance activeChar, int index) | ||||
| 	{ | ||||
| 		forum.vload(); | ||||
| 		final StringBuilder html = new StringBuilder(2000); | ||||
| 		html.append("<html><body><br><br><table border=0 width=610><tr><td width=10></td><td width=600 align=left><a action=\"bypass _bbshome\">HOME</a> > <a action=\"bypass _bbsmemo\">Memo Form</a></td></tr></table><img src=\"L2UI.squareblank\" width=\"1\" height=\"10\"><center><table border=0 cellspacing=0 cellpadding=2 bgcolor=888888 width=610><tr><td FIXWIDTH=5></td><td FIXWIDTH=415 align=center>&$413;</td><td FIXWIDTH=120 align=center></td><td FIXWIDTH=70 align=center>&$418;</td></tr></table>"); | ||||
| 		final DateFormat dateFormat = DateFormat.getInstance(); | ||||
| 		 | ||||
| 		for (int i = 0, j = getMaxID(forum) + 1; i < (12 * index); j--) | ||||
| 		{ | ||||
| 			if (j < 0) | ||||
| 			{ | ||||
| 				break; | ||||
| 			} | ||||
| 			final Topic t = forum.getTopic(j); | ||||
| 			if (t != null) | ||||
| 			{ | ||||
| 				if (i++ >= (12 * (index - 1))) | ||||
| 				{ | ||||
| 					html.append("<table border=0 cellspacing=0 cellpadding=5 WIDTH=610><tr><td FIXWIDTH=5></td><td FIXWIDTH=415><a action=\"bypass _bbsposts;read;" + forum.getID() + ";" + t.getID() + "\">" + t.getName() + "</a></td><td FIXWIDTH=120 align=center></td><td FIXWIDTH=70 align=center>" + dateFormat.format(new Date(t.getDate())) + "</td></tr></table><img src=\"L2UI.Squaregray\" width=\"610\" height=\"1\">"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		html.append("<br><table width=610 cellspace=0 cellpadding=0><tr><td width=50><button value=\"&$422;\" action=\"bypass _bbsmemo\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\"></td><td width=510 align=center><table border=0><tr>"); | ||||
| 		 | ||||
| 		if (index == 1) | ||||
| 		{ | ||||
| 			html.append("<td><button action=\"\" back=\"l2ui_ch3.prev1_down\" fore=\"l2ui_ch3.prev1\" width=16 height=16 ></td>"); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			html.append("<td><button action=\"bypass _bbstopics;read;" + forum.getID() + ";" + (index - 1) + "\" back=\"l2ui_ch3.prev1_down\" fore=\"l2ui_ch3.prev1\" width=16 height=16 ></td>"); | ||||
| 		} | ||||
| 		 | ||||
| 		int nbp = forum.getTopicSize() / 8; | ||||
| 		if ((nbp * 8) != ClanTable.getInstance().getClanCount()) | ||||
| 		{ | ||||
| 			nbp++; | ||||
| 		} | ||||
| 		for (int i = 1; i <= nbp; i++) | ||||
| 		{ | ||||
| 			if (i == index) | ||||
| 			{ | ||||
| 				html.append("<td> " + i + " </td>"); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				html.append("<td><a action=\"bypass _bbstopics;read;" + forum.getID() + ";" + i + "\"> " + i + " </a></td>"); | ||||
| 			} | ||||
| 		} | ||||
| 		if (index == nbp) | ||||
| 		{ | ||||
| 			html.append("<td><button action=\"\" back=\"l2ui_ch3.next1_down\" fore=\"l2ui_ch3.next1\" width=16 height=16 ></td>"); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			html.append("<td><button action=\"bypass _bbstopics;read;" + forum.getID() + ";" + (index + 1) + "\" back=\"l2ui_ch3.next1_down\" fore=\"l2ui_ch3.next1\" width=16 height=16 ></td>"); | ||||
| 		} | ||||
| 		 | ||||
| 		html.append("</tr></table> </td> <td align=right><button value = \"&$421;\" action=\"bypass _bbstopics;crea;" + forum.getID() + "\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\" ></td></tr><tr><td><img src=\"l2ui.mini_logo\" width=5 height=10></td></tr><tr> <td></td><td align=center><table border=0><tr><td></td><td><edit var = \"Search\" width=130 height=11></td><td><button value=\"&$420;\" action=\"Write 5 -2 0 Search _ _\" back=\"l2ui_ch3.smallbutton2_down\" width=65 height=20 fore=\"l2ui_ch3.smallbutton2\"> </td> </tr></table> </td></tr></table><br><br><br></center></body></html>"); | ||||
| 		CommunityBoardHandler.separateAndSend(html.toString(), activeChar); | ||||
| 	} | ||||
| 	 | ||||
| 	public static TopicBBSManager getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final TopicBBSManager _instance = new TopicBBSManager(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,172 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.Collection; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentSkipListMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.enums.ChatType; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.announce.Announcement; | ||||
| import com.l2jmobius.gameserver.model.announce.AnnouncementType; | ||||
| import com.l2jmobius.gameserver.model.announce.AutoAnnouncement; | ||||
| import com.l2jmobius.gameserver.model.announce.IAnnouncement; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.CreatureSay; | ||||
|  | ||||
| /** | ||||
|  * Loads announcements from database. | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public final class AnnouncementsTable | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(AnnouncementsTable.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, IAnnouncement> _announcements = new ConcurrentSkipListMap<>(); | ||||
| 	 | ||||
| 	protected AnnouncementsTable() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	private void load() | ||||
| 	{ | ||||
| 		_announcements.clear(); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement st = con.createStatement(); | ||||
| 			ResultSet rset = st.executeQuery("SELECT * FROM announcements")) | ||||
| 		{ | ||||
| 			while (rset.next()) | ||||
| 			{ | ||||
| 				final AnnouncementType type = AnnouncementType.findById(rset.getInt("type")); | ||||
| 				final Announcement announce; | ||||
| 				switch (type) | ||||
| 				{ | ||||
| 					case NORMAL: | ||||
| 					case CRITICAL: | ||||
| 					{ | ||||
| 						announce = new Announcement(rset); | ||||
| 						break; | ||||
| 					} | ||||
| 					case AUTO_NORMAL: | ||||
| 					case AUTO_CRITICAL: | ||||
| 					{ | ||||
| 						announce = new AutoAnnouncement(rset); | ||||
| 						break; | ||||
| 					} | ||||
| 					default: | ||||
| 					{ | ||||
| 						continue; | ||||
| 					} | ||||
| 				} | ||||
| 				_announcements.put(announce.getId(), announce); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Failed loading announcements:", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Sending all announcements to the player | ||||
| 	 * @param player | ||||
| 	 */ | ||||
| 	public void showAnnouncements(L2PcInstance player) | ||||
| 	{ | ||||
| 		sendAnnouncements(player, AnnouncementType.NORMAL); | ||||
| 		sendAnnouncements(player, AnnouncementType.CRITICAL); | ||||
| 		sendAnnouncements(player, AnnouncementType.EVENT); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Sends all announcements to the player by the specified type | ||||
| 	 * @param player | ||||
| 	 * @param type | ||||
| 	 */ | ||||
| 	public void sendAnnouncements(L2PcInstance player, AnnouncementType type) | ||||
| 	{ | ||||
| 		for (IAnnouncement announce : _announcements.values()) | ||||
| 		{ | ||||
| 			if (announce.isValid() && (announce.getType() == type)) | ||||
| 			{ | ||||
| 				player.sendPacket(new CreatureSay(0, // | ||||
| 					type == AnnouncementType.CRITICAL ? ChatType.CRITICAL_ANNOUNCE : ChatType.ANNOUNCEMENT, // | ||||
| 					player.getName(), announce.getContent())); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Adds announcement | ||||
| 	 * @param announce | ||||
| 	 */ | ||||
| 	public void addAnnouncement(IAnnouncement announce) | ||||
| 	{ | ||||
| 		if (announce.storeMe()) | ||||
| 		{ | ||||
| 			_announcements.put(announce.getId(), announce); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Removes announcement by id | ||||
| 	 * @param id | ||||
| 	 * @return {@code true} if announcement exists and was deleted successfully, {@code false} otherwise. | ||||
| 	 */ | ||||
| 	public boolean deleteAnnouncement(int id) | ||||
| 	{ | ||||
| 		final IAnnouncement announce = _announcements.remove(id); | ||||
| 		return (announce != null) && announce.deleteMe(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param id | ||||
| 	 * @return {@link IAnnouncement} by id | ||||
| 	 */ | ||||
| 	public IAnnouncement getAnnounce(int id) | ||||
| 	{ | ||||
| 		return _announcements.get(id); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return {@link Collection} containing all announcements | ||||
| 	 */ | ||||
| 	public Collection<IAnnouncement> getAllAnnouncements() | ||||
| 	{ | ||||
| 		return _announcements.values(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return Single instance of {@link AnnouncementsTable} | ||||
| 	 */ | ||||
| 	public static AnnouncementsTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final AnnouncementsTable _instance = new AnnouncementsTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,316 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.SQLException; | ||||
| import java.sql.Statement; | ||||
| import java.util.Map; | ||||
| import java.util.Map.Entry; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
|  | ||||
| /** | ||||
|  * Loads name and access level for all players. | ||||
|  * @version 2005/03/27 | ||||
|  */ | ||||
| public class CharNameTable | ||||
| { | ||||
| 	private static Logger _log = Logger.getLogger(CharNameTable.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, String> _chars = new ConcurrentHashMap<>(); | ||||
| 	private final Map<Integer, Integer> _accessLevels = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	protected CharNameTable() | ||||
| 	{ | ||||
| 		if (Config.CACHE_CHAR_NAMES) | ||||
| 		{ | ||||
| 			loadAll(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public final void addName(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (player != null) | ||||
| 		{ | ||||
| 			addName(player.getObjectId(), player.getName()); | ||||
| 			_accessLevels.put(player.getObjectId(), player.getAccessLevel().getLevel()); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private final void addName(int objectId, String name) | ||||
| 	{ | ||||
| 		if (name != null) | ||||
| 		{ | ||||
| 			if (!name.equals(_chars.get(objectId))) | ||||
| 			{ | ||||
| 				_chars.put(objectId, name); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public final void removeName(int objId) | ||||
| 	{ | ||||
| 		_chars.remove(objId); | ||||
| 		_accessLevels.remove(objId); | ||||
| 	} | ||||
| 	 | ||||
| 	public final int getIdByName(String name) | ||||
| 	{ | ||||
| 		if ((name == null) || name.isEmpty()) | ||||
| 		{ | ||||
| 			return -1; | ||||
| 		} | ||||
| 		 | ||||
| 		for (Entry<Integer, String> entry : _chars.entrySet()) | ||||
| 		{ | ||||
| 			if (entry.getValue().equalsIgnoreCase(name)) | ||||
| 			{ | ||||
| 				return entry.getKey(); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.CACHE_CHAR_NAMES) | ||||
| 		{ | ||||
| 			return -1; | ||||
| 		} | ||||
| 		 | ||||
| 		int id = -1; | ||||
| 		int accessLevel = 0; | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT charId,accesslevel FROM characters WHERE char_name=?")) | ||||
| 		{ | ||||
| 			ps.setString(1, name); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					id = rs.getInt("charId"); | ||||
| 					accessLevel = rs.getInt("accesslevel"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing char name: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		 | ||||
| 		if (id > 0) | ||||
| 		{ | ||||
| 			_chars.put(id, name); | ||||
| 			_accessLevels.put(id, accessLevel); | ||||
| 			return id; | ||||
| 		} | ||||
| 		 | ||||
| 		return -1; // not found | ||||
| 	} | ||||
| 	 | ||||
| 	public final String getNameById(int id) | ||||
| 	{ | ||||
| 		if (id <= 0) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 		 | ||||
| 		String name = _chars.get(id); | ||||
| 		if (name != null) | ||||
| 		{ | ||||
| 			return name; | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.CACHE_CHAR_NAMES) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT char_name,accesslevel FROM characters WHERE charId=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, id); | ||||
| 			try (ResultSet rset = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rset.next()) | ||||
| 				{ | ||||
| 					name = rset.getString("char_name"); | ||||
| 					_chars.put(id, name); | ||||
| 					_accessLevels.put(id, rset.getInt("accesslevel")); | ||||
| 					return name; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing char id: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		 | ||||
| 		return null; // not found | ||||
| 	} | ||||
| 	 | ||||
| 	public final int getAccessLevelById(int objectId) | ||||
| 	{ | ||||
| 		if (getNameById(objectId) != null) | ||||
| 		{ | ||||
| 			return _accessLevels.get(objectId); | ||||
| 		} | ||||
| 		 | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	public synchronized boolean doesCharNameExist(String name) | ||||
| 	{ | ||||
| 		boolean result = false; | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT COUNT(*) as count FROM characters WHERE char_name=?")) | ||||
| 		{ | ||||
| 			ps.setString(1, name); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rs.next()) | ||||
| 				{ | ||||
| 					result = rs.getInt("count") > 0; | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing charname: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getAccountCharacterCount(String account) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT COUNT(char_name) as count FROM characters WHERE account_name=?")) | ||||
| 		{ | ||||
| 			ps.setString(1, account); | ||||
| 			try (ResultSet rset = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rset.next()) | ||||
| 				{ | ||||
| 					return rset.getInt("count"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, "Couldn't retrieve account for id: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getLevelById(int objectId) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT level FROM characters WHERE charId = ?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, objectId); | ||||
| 			try (ResultSet rset = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rset.next()) | ||||
| 				{ | ||||
| 					return rset.getInt("level"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing char count: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getClassIdById(int objectId) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT classid FROM characters WHERE charId = ?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, objectId); | ||||
| 			try (ResultSet rset = ps.executeQuery()) | ||||
| 			{ | ||||
| 				if (rset.next()) | ||||
| 				{ | ||||
| 					return rset.getInt("classid"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Couldn't retrieve class for id: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	public int getClanIdById(int objectId) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT clanId FROM characters WHERE charId = ?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, objectId); | ||||
| 			try (ResultSet rset = ps.executeQuery()) | ||||
| 			{ | ||||
| 				while (rset.next()) | ||||
| 				{ | ||||
| 					return rset.getInt("clanId"); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing char count: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		return 0; | ||||
| 	} | ||||
| 	 | ||||
| 	private void loadAll() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement s = con.createStatement(); | ||||
| 			ResultSet rs = s.executeQuery("SELECT charId, char_name, accesslevel FROM characters")) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final int id = rs.getInt("charId"); | ||||
| 				_chars.put(id, rs.getString("char_name")); | ||||
| 				_accessLevels.put(id, rs.getInt("accesslevel")); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			_log.log(Level.WARNING, getClass().getSimpleName() + ": Couldn't retrieve all char id/name/access: " + e.getMessage(), e); | ||||
| 		} | ||||
| 		_log.info(getClass().getSimpleName() + ": Loaded " + _chars.size() + " char names."); | ||||
| 	} | ||||
| 	 | ||||
| 	public static CharNameTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final CharNameTable _instance = new CharNameTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,256 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.SQLException; | ||||
| import java.sql.Statement; | ||||
| import java.util.Map; | ||||
| import java.util.Set; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.NpcData; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PetDataTable; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.SkillData; | ||||
| import com.l2jmobius.gameserver.model.L2PetData; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PetInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2ServitorInstance; | ||||
| import com.l2jmobius.gameserver.model.actor.templates.L2NpcTemplate; | ||||
| import com.l2jmobius.gameserver.model.items.instance.L2ItemInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.PetItemList; | ||||
|  | ||||
| /** | ||||
|  * @author Nyaran | ||||
|  */ | ||||
| public class CharSummonTable | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(CharSummonTable.class.getName()); | ||||
| 	private static final Map<Integer, Integer> _pets = new ConcurrentHashMap<>(); | ||||
| 	private static final Map<Integer, Set<Integer>> _servitors = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	// SQL | ||||
| 	private static final String INIT_PET = "SELECT ownerId, item_obj_id FROM pets WHERE restore = 'true'"; | ||||
| 	private static final String INIT_SUMMONS = "SELECT ownerId, summonId FROM character_summons"; | ||||
| 	private static final String LOAD_SUMMON = "SELECT summonSkillId, summonId, curHp, curMp, time FROM character_summons WHERE ownerId = ?"; | ||||
| 	private static final String REMOVE_SUMMON = "DELETE FROM character_summons WHERE ownerId = ? and summonId = ?"; | ||||
| 	private static final String SAVE_SUMMON = "REPLACE INTO character_summons (ownerId,summonId,summonSkillId,curHp,curMp,time) VALUES (?,?,?,?,?,?)"; | ||||
| 	 | ||||
| 	public Map<Integer, Integer> getPets() | ||||
| 	{ | ||||
| 		return _pets; | ||||
| 	} | ||||
| 	 | ||||
| 	public Map<Integer, Set<Integer>> getServitors() | ||||
| 	{ | ||||
| 		return _servitors; | ||||
| 	} | ||||
| 	 | ||||
| 	public void init() | ||||
| 	{ | ||||
| 		if (Config.RESTORE_SERVITOR_ON_RECONNECT) | ||||
| 		{ | ||||
| 			try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 				Statement s = con.createStatement(); | ||||
| 				ResultSet rs = s.executeQuery(INIT_SUMMONS)) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					_servitors.computeIfAbsent(rs.getInt("ownerId"), k -> ConcurrentHashMap.newKeySet()).add(rs.getInt("summonId")); | ||||
| 				} | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.warning(getClass().getSimpleName() + ": Error while loading saved servitor: " + e); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.RESTORE_PET_ON_RECONNECT) | ||||
| 		{ | ||||
| 			try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 				Statement s = con.createStatement(); | ||||
| 				ResultSet rs = s.executeQuery(INIT_PET)) | ||||
| 			{ | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					_pets.put(rs.getInt("ownerId"), rs.getInt("item_obj_id")); | ||||
| 				} | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.warning(getClass().getSimpleName() + ": Error while loading saved pet: " + e); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void removeServitor(L2PcInstance activeChar, int summonObjectId) | ||||
| 	{ | ||||
| 		_servitors.computeIfPresent(activeChar.getObjectId(), (k, v) -> | ||||
| 		{ | ||||
| 			v.remove(summonObjectId); | ||||
| 			return !v.isEmpty() ? v : null; | ||||
| 		}); | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement(REMOVE_SUMMON)) | ||||
| 		{ | ||||
| 			ps.setInt(1, activeChar.getObjectId()); | ||||
| 			ps.setInt(2, summonObjectId); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Summon cannot be removed: " + e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void restorePet(L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		final L2ItemInstance item = activeChar.getInventory().getItemByObjectId(_pets.get(activeChar.getObjectId())); | ||||
| 		if (item == null) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Null pet summoning item for: " + activeChar); | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2PetData petData = PetDataTable.getInstance().getPetDataByItemId(item.getId()); | ||||
| 		if (petData == null) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Null pet data for: " + activeChar + " and summoning item: " + item); | ||||
| 			return; | ||||
| 		} | ||||
| 		final L2NpcTemplate npcTemplate = NpcData.getInstance().getTemplate(petData.getNpcId()); | ||||
| 		if (npcTemplate == null) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Null pet NPC template for: " + activeChar + " and pet Id:" + petData.getNpcId()); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2PetInstance pet = L2PetInstance.spawnPet(npcTemplate, activeChar, item); | ||||
| 		if (pet == null) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Null pet instance for: " + activeChar + " and pet NPC template:" + npcTemplate); | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		pet.setShowSummonAnimation(true); | ||||
| 		pet.setTitle(activeChar.getName()); | ||||
| 		 | ||||
| 		if (!pet.isRespawned()) | ||||
| 		{ | ||||
| 			pet.setCurrentHp(pet.getMaxHp()); | ||||
| 			pet.setCurrentMp(pet.getMaxMp()); | ||||
| 			pet.getStat().setExp(pet.getExpForThisLevel()); | ||||
| 			pet.setCurrentFed(pet.getMaxFed()); | ||||
| 		} | ||||
| 		 | ||||
| 		pet.setRunning(); | ||||
| 		 | ||||
| 		if (!pet.isRespawned()) | ||||
| 		{ | ||||
| 			pet.storeMe(); | ||||
| 		} | ||||
| 		 | ||||
| 		item.setEnchantLevel(pet.getLevel()); | ||||
| 		activeChar.setPet(pet); | ||||
| 		pet.spawnMe(activeChar.getX() + 50, activeChar.getY() + 100, activeChar.getZ()); | ||||
| 		pet.startFeed(); | ||||
| 		pet.setFollowStatus(true); | ||||
| 		pet.getOwner().sendPacket(new PetItemList(pet.getInventory().getItems())); | ||||
| 		pet.broadcastStatusUpdate(); | ||||
| 	} | ||||
| 	 | ||||
| 	public void restoreServitor(L2PcInstance activeChar) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement(LOAD_SUMMON)) | ||||
| 		{ | ||||
| 			ps.setInt(1, activeChar.getObjectId()); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				Skill skill; | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					final int summonObjId = rs.getInt("summonId"); | ||||
| 					final int skillId = rs.getInt("summonSkillId"); | ||||
| 					final int curHp = rs.getInt("curHp"); | ||||
| 					final int curMp = rs.getInt("curMp"); | ||||
| 					final int time = rs.getInt("time"); | ||||
| 					 | ||||
| 					skill = SkillData.getInstance().getSkill(skillId, activeChar.getSkillLevel(skillId)); | ||||
| 					if ((skill == null) || !activeChar.hasServitor(summonObjId)) | ||||
| 					{ | ||||
| 						removeServitor(activeChar, summonObjId); | ||||
| 						return; | ||||
| 					} | ||||
| 					 | ||||
| 					skill.applyEffects(activeChar, activeChar); | ||||
| 					 | ||||
| 					final L2ServitorInstance summon = (L2ServitorInstance) activeChar.getServitor(summonObjId); | ||||
| 					summon.setCurrentHp(curHp); | ||||
| 					summon.setCurrentMp(curMp); | ||||
| 					summon.setLifeTimeRemaining(time); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Servitor cannot be restored: " + e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void saveSummon(L2ServitorInstance summon) | ||||
| 	{ | ||||
| 		if ((summon == null) || (summon.getLifeTimeRemaining() <= 0)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		_servitors.computeIfAbsent(summon.getOwner().getObjectId(), k -> ConcurrentHashMap.newKeySet()).add(summon.getObjectId()); | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement(SAVE_SUMMON)) | ||||
| 		{ | ||||
| 			ps.setInt(1, summon.getOwner().getObjectId()); | ||||
| 			ps.setInt(2, summon.getObjectId()); | ||||
| 			ps.setInt(3, summon.getReferenceSkill()); | ||||
| 			ps.setInt(4, (int) Math.round(summon.getCurrentHp())); | ||||
| 			ps.setInt(5, (int) Math.round(summon.getCurrentMp())); | ||||
| 			ps.setInt(6, summon.getLifeTimeRemaining()); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Failed to store summon: " + summon + " from " + summon.getOwner() + ", error: " + e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static CharSummonTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final CharSummonTable _instance = new CharSummonTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,494 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Collection; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.ThreadPoolManager; | ||||
| import com.l2jmobius.gameserver.communitybbs.Manager.ForumsBBSManager; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.ClanHallData; | ||||
| import com.l2jmobius.gameserver.enums.UserInfoType; | ||||
| import com.l2jmobius.gameserver.idfactory.IdFactory; | ||||
| import com.l2jmobius.gameserver.instancemanager.ClanEntryManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.FortManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.FortSiegeManager; | ||||
| import com.l2jmobius.gameserver.instancemanager.SiegeManager; | ||||
| import com.l2jmobius.gameserver.model.ClanPrivilege; | ||||
| import com.l2jmobius.gameserver.model.ClanWar; | ||||
| import com.l2jmobius.gameserver.model.ClanWar.ClanWarState; | ||||
| import com.l2jmobius.gameserver.model.L2Clan; | ||||
| import com.l2jmobius.gameserver.model.L2ClanMember; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.entity.ClanHall; | ||||
| import com.l2jmobius.gameserver.model.entity.Fort; | ||||
| import com.l2jmobius.gameserver.model.entity.FortSiege; | ||||
| import com.l2jmobius.gameserver.model.entity.Siege; | ||||
| import com.l2jmobius.gameserver.model.events.EventDispatcher; | ||||
| import com.l2jmobius.gameserver.model.events.impl.character.player.OnPlayerClanCreate; | ||||
| import com.l2jmobius.gameserver.model.events.impl.character.player.OnPlayerClanDestroy; | ||||
| import com.l2jmobius.gameserver.model.events.impl.clan.OnClanWarFinish; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.PledgeShowInfoUpdate; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.PledgeShowMemberListAll; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.PledgeShowMemberListUpdate; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SystemMessage; | ||||
| import com.l2jmobius.gameserver.util.EnumIntBitmask; | ||||
| import com.l2jmobius.gameserver.util.Util; | ||||
|  | ||||
| /** | ||||
|  * This class loads the clan related data. | ||||
|  */ | ||||
| public class ClanTable | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(ClanTable.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2Clan> _clans = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	protected ClanTable() | ||||
| 	{ | ||||
| 		// forums has to be loaded before clan data, because of last forum id used should have also memo included | ||||
| 		if (Config.ENABLE_COMMUNITY_BOARD) | ||||
| 		{ | ||||
| 			ForumsBBSManager.getInstance().initRoot(); | ||||
| 		} | ||||
| 		 | ||||
| 		L2Clan clan; | ||||
| 		// Count the clans | ||||
| 		int clanCount = 0; | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement s = con.createStatement(); | ||||
| 			ResultSet rs = s.executeQuery("SELECT clan_id FROM clan_data")) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final int clanId = rs.getInt("clan_id"); | ||||
| 				_clans.put(clanId, new L2Clan(clanId)); | ||||
| 				clan = getClan(clanId); | ||||
| 				if (clan.getDissolvingExpiryTime() != 0) | ||||
| 				{ | ||||
| 					scheduleRemoveClan(clan.getId()); | ||||
| 				} | ||||
| 				clanCount++; | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.SEVERE, "Error restoring ClanTable.", e); | ||||
| 		} | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Restored " + clanCount + " clans from the database."); | ||||
| 		allianceCheck(); | ||||
| 		restorewars(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the clans. | ||||
| 	 * @return the clans | ||||
| 	 */ | ||||
| 	public Collection<L2Clan> getClans() | ||||
| 	{ | ||||
| 		return _clans.values(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the clan count. | ||||
| 	 * @return the clan count | ||||
| 	 */ | ||||
| 	public int getClanCount() | ||||
| 	{ | ||||
| 		return _clans.size(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param clanId | ||||
| 	 * @return | ||||
| 	 */ | ||||
| 	public L2Clan getClan(int clanId) | ||||
| 	{ | ||||
| 		return _clans.get(clanId); | ||||
| 	} | ||||
| 	 | ||||
| 	public L2Clan getClanByName(String clanName) | ||||
| 	{ | ||||
| 		return getClans().stream().filter(c -> c.getName().equalsIgnoreCase(clanName)).findFirst().orElse(null); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Creates a new clan and store clan info to database | ||||
| 	 * @param player | ||||
| 	 * @param clanName | ||||
| 	 * @return NULL if clan with same name already exists | ||||
| 	 */ | ||||
| 	public L2Clan createClan(L2PcInstance player, String clanName) | ||||
| 	{ | ||||
| 		if (null == player) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 		 | ||||
| 		if (10 > player.getLevel()) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.YOU_DO_NOT_MEET_THE_CRITERIA_IN_ORDER_TO_CREATE_A_CLAN); | ||||
| 			return null; | ||||
| 		} | ||||
| 		if (0 != player.getClanId()) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.YOU_HAVE_FAILED_TO_CREATE_A_CLAN); | ||||
| 			return null; | ||||
| 		} | ||||
| 		if (System.currentTimeMillis() < player.getClanCreateExpiryTime()) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.YOU_MUST_WAIT_10_DAYS_BEFORE_CREATING_A_NEW_CLAN); | ||||
| 			return null; | ||||
| 		} | ||||
| 		if (!Util.isAlphaNumeric(clanName) || (2 > clanName.length())) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.CLAN_NAME_IS_INVALID); | ||||
| 			return null; | ||||
| 		} | ||||
| 		if (16 < clanName.length()) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.CLAN_NAME_S_LENGTH_IS_INCORRECT); | ||||
| 			return null; | ||||
| 		} | ||||
| 		 | ||||
| 		if (null != getClanByName(clanName)) | ||||
| 		{ | ||||
| 			// clan name is already taken | ||||
| 			final SystemMessage sm = SystemMessage.getSystemMessage(SystemMessageId.S1_ALREADY_EXISTS); | ||||
| 			sm.addString(clanName); | ||||
| 			player.sendPacket(sm); | ||||
| 			return null; | ||||
| 		} | ||||
| 		 | ||||
| 		final L2Clan clan = new L2Clan(IdFactory.getInstance().getNextId(), clanName); | ||||
| 		final L2ClanMember leader = new L2ClanMember(clan, player); | ||||
| 		clan.setLeader(leader); | ||||
| 		leader.setPlayerInstance(player); | ||||
| 		clan.store(); | ||||
| 		player.setClan(clan); | ||||
| 		player.setPledgeClass(L2ClanMember.calculatePledgeClass(player)); | ||||
| 		player.setClanPrivileges(new EnumIntBitmask<>(ClanPrivilege.class, true)); | ||||
| 		 | ||||
| 		_clans.put(Integer.valueOf(clan.getId()), clan); | ||||
| 		 | ||||
| 		// should be update packet only | ||||
| 		player.sendPacket(new PledgeShowInfoUpdate(clan)); | ||||
| 		PledgeShowMemberListAll.sendAllTo(player); | ||||
| 		player.sendPacket(new PledgeShowMemberListUpdate(player)); | ||||
| 		player.sendPacket(SystemMessageId.YOUR_CLAN_HAS_BEEN_CREATED); | ||||
| 		player.broadcastUserInfo(UserInfoType.RELATION, UserInfoType.CLAN); | ||||
| 		 | ||||
| 		// Notify to scripts | ||||
| 		EventDispatcher.getInstance().notifyEventAsync(new OnPlayerClanCreate(player, clan)); | ||||
| 		return clan; | ||||
| 	} | ||||
| 	 | ||||
| 	public synchronized void destroyClan(int clanId) | ||||
| 	{ | ||||
| 		final L2Clan clan = getClan(clanId); | ||||
| 		if (clan == null) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		clan.broadcastToOnlineMembers(SystemMessage.getSystemMessage(SystemMessageId.CLAN_HAS_DISPERSED)); | ||||
| 		 | ||||
| 		ClanEntryManager.getInstance().removeFromClanList(clan.getId()); | ||||
| 		 | ||||
| 		final int castleId = clan.getCastleId(); | ||||
| 		if (castleId == 0) | ||||
| 		{ | ||||
| 			for (Siege siege : SiegeManager.getInstance().getSieges()) | ||||
| 			{ | ||||
| 				siege.removeSiegeClan(clan); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		final int fortId = clan.getFortId(); | ||||
| 		if (fortId == 0) | ||||
| 		{ | ||||
| 			for (FortSiege siege : FortSiegeManager.getInstance().getSieges()) | ||||
| 			{ | ||||
| 				siege.removeAttacker(clan); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		final ClanHall hall = ClanHallData.getInstance().getClanHallByClan(clan); | ||||
| 		if (hall != null) | ||||
| 		{ | ||||
| 			hall.setOwner(null); | ||||
| 		} | ||||
| 		 | ||||
| 		final L2ClanMember leaderMember = clan.getLeader(); | ||||
| 		if (leaderMember == null) | ||||
| 		{ | ||||
| 			clan.getWarehouse().destroyAllItems("ClanRemove", null, null); | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			clan.getWarehouse().destroyAllItems("ClanRemove", clan.getLeader().getPlayerInstance(), null); | ||||
| 		} | ||||
| 		 | ||||
| 		for (L2ClanMember member : clan.getMembers()) | ||||
| 		{ | ||||
| 			clan.removeClanMember(member.getObjectId(), 0); | ||||
| 		} | ||||
| 		 | ||||
| 		_clans.remove(clanId); | ||||
| 		IdFactory.getInstance().releaseId(clanId); | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection()) | ||||
| 		{ | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_data WHERE clan_id=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_privs WHERE clan_id=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_skills WHERE clan_id=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_subpledges WHERE clan_id=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_wars WHERE clan1=? OR clan2=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.setInt(2, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			try (PreparedStatement ps = con.prepareStatement("DELETE FROM clan_notices WHERE clan_id=?")) | ||||
| 			{ | ||||
| 				ps.setInt(1, clanId); | ||||
| 				ps.execute(); | ||||
| 			} | ||||
| 			 | ||||
| 			if (castleId != 0) | ||||
| 			{ | ||||
| 				try (PreparedStatement ps = con.prepareStatement("UPDATE castle SET taxPercent = 0 WHERE id = ?")) | ||||
| 				{ | ||||
| 					ps.setInt(1, castleId); | ||||
| 					ps.execute(); | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			if (fortId != 0) | ||||
| 			{ | ||||
| 				final Fort fort = FortManager.getInstance().getFortById(fortId); | ||||
| 				if (fort != null) | ||||
| 				{ | ||||
| 					final L2Clan owner = fort.getOwnerClan(); | ||||
| 					if (clan == owner) | ||||
| 					{ | ||||
| 						fort.removeOwner(true); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.SEVERE, getClass().getSimpleName() + ": Error removing clan from DB.", e); | ||||
| 		} | ||||
| 		 | ||||
| 		// Notify to scripts | ||||
| 		EventDispatcher.getInstance().notifyEventAsync(new OnPlayerClanDestroy(leaderMember, clan)); | ||||
| 	} | ||||
| 	 | ||||
| 	public void scheduleRemoveClan(int clanId) | ||||
| 	{ | ||||
| 		ThreadPoolManager.schedule(() -> | ||||
| 		{ | ||||
| 			if (getClan(clanId) == null) | ||||
| 			{ | ||||
| 				return; | ||||
| 			} | ||||
| 			if (getClan(clanId).getDissolvingExpiryTime() != 0) | ||||
| 			{ | ||||
| 				destroyClan(clanId); | ||||
| 			} | ||||
| 		}, Math.max(getClan(clanId).getDissolvingExpiryTime() - System.currentTimeMillis(), 300000)); | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isAllyExists(String allyName) | ||||
| 	{ | ||||
| 		for (L2Clan clan : getClans()) | ||||
| 		{ | ||||
| 			if ((clan.getAllyName() != null) && clan.getAllyName().equalsIgnoreCase(allyName)) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	public void storeclanswars(ClanWar war) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("REPLACE INTO clan_wars (clan1, clan2, clan1Kill, clan2Kill, winnerClan, startTime, endTime, state) VALUES(?,?,?,?,?,?,?,?)")) | ||||
| 		{ | ||||
| 			ps.setInt(1, war.getAttackerClanId()); | ||||
| 			ps.setInt(2, war.getAttackedClanId()); | ||||
| 			ps.setInt(3, war.getAttackerKillCount()); | ||||
| 			ps.setInt(4, war.getAttackedKillCount()); | ||||
| 			ps.setInt(5, war.getWinnerClanId()); | ||||
| 			ps.setLong(6, war.getStartTime()); | ||||
| 			ps.setLong(7, war.getEndTime()); | ||||
| 			ps.setInt(8, war.getState().ordinal()); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.severe("Error storing clan wars data: " + e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void deleteclanswars(int clanId1, int clanId2) | ||||
| 	{ | ||||
| 		final L2Clan clan1 = ClanTable.getInstance().getClan(clanId1); | ||||
| 		final L2Clan clan2 = ClanTable.getInstance().getClan(clanId2); | ||||
| 		 | ||||
| 		EventDispatcher.getInstance().notifyEventAsync(new OnClanWarFinish(clan1, clan2)); | ||||
| 		 | ||||
| 		clan1.deleteWar(clan2.getId()); | ||||
| 		clan2.deleteWar(clan1.getId()); | ||||
| 		clan1.broadcastClanStatus(); | ||||
| 		clan2.broadcastClanStatus(); | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("DELETE FROM clan_wars WHERE clan1=? AND clan2=?")) | ||||
| 		{ | ||||
| 			ps.setInt(1, clanId1); | ||||
| 			ps.setInt(2, clanId2); | ||||
| 			ps.execute(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.SEVERE, getClass().getSimpleName() + ": Error removing clan wars data.", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	private void restorewars() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement statement = con.createStatement(); | ||||
| 			ResultSet rset = statement.executeQuery("SELECT clan1, clan2, clan1Kill, clan2Kill, winnerClan, startTime, endTime, state FROM clan_wars")) | ||||
| 		{ | ||||
| 			while (rset.next()) | ||||
| 			{ | ||||
| 				final L2Clan attacker = getClan(rset.getInt("clan1")); | ||||
| 				final L2Clan attacked = getClan(rset.getInt("clan2")); | ||||
| 				if ((attacker != null) && (attacked != null)) | ||||
| 				{ | ||||
| 					final ClanWarState state = ClanWarState.values()[rset.getInt("state")]; | ||||
| 					 | ||||
| 					final ClanWar clanWar = new ClanWar(attacker, attacked, rset.getInt("clan1Kill"), rset.getInt("clan2Kill"), rset.getInt("winnerClan"), rset.getLong("startTime"), rset.getLong("endTime"), state); | ||||
| 					attacker.addWar(attacked.getId(), clanWar); | ||||
| 					attacked.addWar(attacker.getId(), clanWar); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Restorewars one of clans is null attacker:" + attacker + " attacked:" + attacked); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.SEVERE, getClass().getSimpleName() + ": Error restoring clan wars data.", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Check for nonexistent alliances | ||||
| 	 */ | ||||
| 	private void allianceCheck() | ||||
| 	{ | ||||
| 		for (L2Clan clan : _clans.values()) | ||||
| 		{ | ||||
| 			final int allyId = clan.getAllyId(); | ||||
| 			if ((allyId != 0) && (clan.getId() != allyId)) | ||||
| 			{ | ||||
| 				if (!_clans.containsKey(allyId)) | ||||
| 				{ | ||||
| 					clan.setAllyId(0); | ||||
| 					clan.setAllyName(null); | ||||
| 					clan.changeAllyCrest(0, true); | ||||
| 					clan.updateClanInDB(); | ||||
| 					LOGGER.info(getClass().getSimpleName() + ": Removed alliance from clan: " + clan); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public List<L2Clan> getClanAllies(int allianceId) | ||||
| 	{ | ||||
| 		final List<L2Clan> clanAllies = new ArrayList<>(); | ||||
| 		if (allianceId != 0) | ||||
| 		{ | ||||
| 			for (L2Clan clan : _clans.values()) | ||||
| 			{ | ||||
| 				if ((clan != null) && (clan.getAllyId() == allianceId)) | ||||
| 				{ | ||||
| 					clanAllies.add(clan); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		return clanAllies; | ||||
| 	} | ||||
| 	 | ||||
| 	public void shutdown() | ||||
| 	{ | ||||
| 		for (L2Clan clan : _clans.values()) | ||||
| 		{ | ||||
| 			clan.updateInDB(); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static ClanTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ClanTable _instance = new ClanTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,219 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.SQLException; | ||||
| import java.sql.Statement; | ||||
| import java.util.HashSet; | ||||
| import java.util.Map; | ||||
| import java.util.Set; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.concurrent.atomic.AtomicInteger; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.model.L2Clan; | ||||
| import com.l2jmobius.gameserver.model.L2Crest; | ||||
| import com.l2jmobius.gameserver.model.L2Crest.CrestType; | ||||
|  | ||||
| /** | ||||
|  * Loads and saves crests from database. | ||||
|  * @author NosBit | ||||
|  */ | ||||
| public final class CrestTable | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(CrestTable.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2Crest> _crests = new ConcurrentHashMap<>(); | ||||
| 	private final AtomicInteger _nextId = new AtomicInteger(1); | ||||
| 	 | ||||
| 	protected CrestTable() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	public synchronized void load() | ||||
| 	{ | ||||
| 		_crests.clear(); | ||||
| 		final Set<Integer> crestsInUse = new HashSet<>(); | ||||
| 		for (L2Clan clan : ClanTable.getInstance().getClans()) | ||||
| 		{ | ||||
| 			if (clan.getCrestId() != 0) | ||||
| 			{ | ||||
| 				crestsInUse.add(clan.getCrestId()); | ||||
| 			} | ||||
| 			 | ||||
| 			if (clan.getCrestLargeId() != 0) | ||||
| 			{ | ||||
| 				crestsInUse.add(clan.getCrestLargeId()); | ||||
| 			} | ||||
| 			 | ||||
| 			if (clan.getAllyCrestId() != 0) | ||||
| 			{ | ||||
| 				crestsInUse.add(clan.getAllyCrestId()); | ||||
| 			} | ||||
| 		} | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement statement = con.createStatement(ResultSet.TYPE_FORWARD_ONLY, ResultSet.CONCUR_UPDATABLE); | ||||
| 			ResultSet rs = statement.executeQuery("SELECT `crest_id`, `data`, `type` FROM `crests` ORDER BY `crest_id` DESC")) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final int id = rs.getInt("crest_id"); | ||||
| 				 | ||||
| 				if (_nextId.get() <= id) | ||||
| 				{ | ||||
| 					_nextId.set(id + 1); | ||||
| 				} | ||||
| 				 | ||||
| 				// delete all unused crests except the last one we dont want to reuse | ||||
| 				// a crest id because client will display wrong crest if its reused | ||||
| 				if (!crestsInUse.contains(id) && (id != (_nextId.get() - 1))) | ||||
| 				{ | ||||
| 					rs.deleteRow(); | ||||
| 					continue; | ||||
| 				} | ||||
| 				 | ||||
| 				final byte[] data = rs.getBytes("data"); | ||||
| 				final CrestType crestType = CrestType.getById(rs.getInt("type")); | ||||
| 				if (crestType != null) | ||||
| 				{ | ||||
| 					_crests.put(id, new L2Crest(id, data, crestType)); | ||||
| 				} | ||||
| 				else | ||||
| 				{ | ||||
| 					LOGGER.warning("Unknown crest type found in database. Type:" + rs.getInt("type")); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "There was an error while loading crests from database:", e); | ||||
| 		} | ||||
| 		 | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _crests.size() + " Crests."); | ||||
| 		 | ||||
| 		for (L2Clan clan : ClanTable.getInstance().getClans()) | ||||
| 		{ | ||||
| 			if ((clan.getCrestId() != 0) && (getCrest(clan.getCrestId()) == null)) | ||||
| 			{ | ||||
| 				LOGGER.info("Removing non-existent crest for clan " + clan.getName() + " [" + clan.getId() + "], crestId:" + clan.getCrestId()); | ||||
| 				clan.setCrestId(0); | ||||
| 				clan.changeClanCrest(0); | ||||
| 			} | ||||
| 			 | ||||
| 			if ((clan.getCrestLargeId() != 0) && (getCrest(clan.getCrestLargeId()) == null)) | ||||
| 			{ | ||||
| 				LOGGER.info("Removing non-existent large crest for clan " + clan.getName() + " [" + clan.getId() + "], crestLargeId:" + clan.getCrestLargeId()); | ||||
| 				clan.setCrestLargeId(0); | ||||
| 				clan.changeLargeCrest(0); | ||||
| 			} | ||||
| 			 | ||||
| 			if ((clan.getAllyCrestId() != 0) && (getCrest(clan.getAllyCrestId()) == null)) | ||||
| 			{ | ||||
| 				LOGGER.info("Removing non-existent ally crest for clan " + clan.getName() + " [" + clan.getId() + "], allyCrestId:" + clan.getAllyCrestId()); | ||||
| 				clan.setAllyCrestId(0); | ||||
| 				clan.changeAllyCrest(0, true); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param crestId The crest id | ||||
| 	 * @return {@code L2Crest} if crest is found, {@code null} if crest was not found. | ||||
| 	 */ | ||||
| 	public L2Crest getCrest(int crestId) | ||||
| 	{ | ||||
| 		return _crests.get(crestId); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Creates a {@code L2Crest} object and inserts it in database and cache. | ||||
| 	 * @param data | ||||
| 	 * @param crestType | ||||
| 	 * @return {@code L2Crest} on success, {@code null} on failure. | ||||
| 	 */ | ||||
| 	public L2Crest createCrest(byte[] data, CrestType crestType) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement statement = con.prepareStatement("INSERT INTO `crests`(`crest_id`, `data`, `type`) VALUES(?, ?, ?)")) | ||||
| 		{ | ||||
| 			final L2Crest crest = new L2Crest(getNextId(), data, crestType); | ||||
| 			statement.setInt(1, crest.getId()); | ||||
| 			statement.setBytes(2, crest.getData()); | ||||
| 			statement.setInt(3, crest.getType().getId()); | ||||
| 			statement.executeUpdate(); | ||||
| 			_crests.put(crest.getId(), crest); | ||||
| 			return crest; | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "There was an error while saving crest in database:", e); | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Removes crest from database and cache. | ||||
| 	 * @param crestId the id of crest to be removed. | ||||
| 	 */ | ||||
| 	public void removeCrest(int crestId) | ||||
| 	{ | ||||
| 		_crests.remove(crestId); | ||||
| 		 | ||||
| 		// avoid removing last crest id we dont want to lose index... | ||||
| 		// because client will display wrong crest if its reused | ||||
| 		if (crestId == (_nextId.get() - 1)) | ||||
| 		{ | ||||
| 			return; | ||||
| 		} | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement statement = con.prepareStatement("DELETE FROM `crests` WHERE `crest_id` = ?")) | ||||
| 		{ | ||||
| 			statement.setInt(1, crestId); | ||||
| 			statement.executeUpdate(); | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "There was an error while deleting crest from database:", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @return The next crest id. | ||||
| 	 */ | ||||
| 	public int getNextId() | ||||
| 	{ | ||||
| 		return _nextId.getAndIncrement(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static CrestTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final CrestTable _instance = new CrestTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,480 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.Calendar; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.LoginServerThread; | ||||
| import com.l2jmobius.gameserver.enums.PrivateStoreType; | ||||
| import com.l2jmobius.gameserver.model.L2ManufactureItem; | ||||
| import com.l2jmobius.gameserver.model.L2World; | ||||
| import com.l2jmobius.gameserver.model.TradeItem; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.holders.SellBuffHolder; | ||||
| import com.l2jmobius.gameserver.network.L2GameClient; | ||||
|  | ||||
| public class OfflineTradersTable | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(OfflineTradersTable.class.getName()); | ||||
| 	 | ||||
| 	// SQL DEFINITIONS | ||||
| 	private static final String SAVE_OFFLINE_STATUS = "INSERT INTO character_offline_trade (`charId`,`time`,`type`,`title`) VALUES (?,?,?,?)"; | ||||
| 	private static final String SAVE_ITEMS = "INSERT INTO character_offline_trade_items (`charId`,`item`,`count`,`price`) VALUES (?,?,?,?)"; | ||||
| 	private static final String CLEAR_OFFLINE_TABLE = "DELETE FROM character_offline_trade"; | ||||
| 	private static final String CLEAR_OFFLINE_TABLE_PLAYER = "DELETE FROM character_offline_trade WHERE `charId`=?"; | ||||
| 	private static final String CLEAR_OFFLINE_TABLE_ITEMS = "DELETE FROM character_offline_trade_items"; | ||||
| 	private static final String CLEAR_OFFLINE_TABLE_ITEMS_PLAYER = "DELETE FROM character_offline_trade_items WHERE `charId`=?"; | ||||
| 	private static final String LOAD_OFFLINE_STATUS = "SELECT * FROM character_offline_trade"; | ||||
| 	private static final String LOAD_OFFLINE_ITEMS = "SELECT * FROM character_offline_trade_items WHERE `charId`=?"; | ||||
| 	 | ||||
| 	public void storeOffliners() | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement stm1 = con.prepareStatement(CLEAR_OFFLINE_TABLE); | ||||
| 			PreparedStatement stm2 = con.prepareStatement(CLEAR_OFFLINE_TABLE_ITEMS); | ||||
| 			PreparedStatement stm3 = con.prepareStatement(SAVE_OFFLINE_STATUS); | ||||
| 			PreparedStatement stm_items = con.prepareStatement(SAVE_ITEMS)) | ||||
| 		{ | ||||
| 			stm1.execute(); | ||||
| 			stm2.execute(); | ||||
| 			con.setAutoCommit(false); // avoid halfway done | ||||
| 			 | ||||
| 			for (L2PcInstance pc : L2World.getInstance().getPlayers()) | ||||
| 			{ | ||||
| 				try | ||||
| 				{ | ||||
| 					if ((pc.getPrivateStoreType() != PrivateStoreType.NONE) && ((pc.getClient() == null) || pc.getClient().isDetached())) | ||||
| 					{ | ||||
| 						stm3.setInt(1, pc.getObjectId()); // Char Id | ||||
| 						stm3.setLong(2, pc.getOfflineStartTime()); | ||||
| 						stm3.setInt(3, pc.isSellingBuffs() ? PrivateStoreType.SELL_BUFFS.getId() : pc.getPrivateStoreType().getId()); // store type | ||||
| 						String title = null; | ||||
| 						 | ||||
| 						switch (pc.getPrivateStoreType()) | ||||
| 						{ | ||||
| 							case BUY: | ||||
| 							{ | ||||
| 								if (!Config.OFFLINE_TRADE_ENABLE) | ||||
| 								{ | ||||
| 									continue; | ||||
| 								} | ||||
| 								title = pc.getBuyList().getTitle(); | ||||
| 								for (TradeItem i : pc.getBuyList().getItems()) | ||||
| 								{ | ||||
| 									stm_items.setInt(1, pc.getObjectId()); | ||||
| 									stm_items.setInt(2, i.getItem().getId()); | ||||
| 									stm_items.setLong(3, i.getCount()); | ||||
| 									stm_items.setLong(4, i.getPrice()); | ||||
| 									stm_items.executeUpdate(); | ||||
| 									stm_items.clearParameters(); | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 							case SELL: | ||||
| 							case PACKAGE_SELL: | ||||
| 							{ | ||||
| 								if (!Config.OFFLINE_TRADE_ENABLE) | ||||
| 								{ | ||||
| 									continue; | ||||
| 								} | ||||
| 								title = pc.getSellList().getTitle(); | ||||
| 								if (pc.isSellingBuffs()) | ||||
| 								{ | ||||
| 									for (SellBuffHolder holder : pc.getSellingBuffs()) | ||||
| 									{ | ||||
| 										stm_items.setInt(1, pc.getObjectId()); | ||||
| 										stm_items.setInt(2, holder.getSkillId()); | ||||
| 										stm_items.setLong(3, 0); | ||||
| 										stm_items.setLong(4, holder.getPrice()); | ||||
| 										stm_items.executeUpdate(); | ||||
| 										stm_items.clearParameters(); | ||||
| 									} | ||||
| 								} | ||||
| 								else | ||||
| 								{ | ||||
| 									for (TradeItem i : pc.getSellList().getItems()) | ||||
| 									{ | ||||
| 										stm_items.setInt(1, pc.getObjectId()); | ||||
| 										stm_items.setInt(2, i.getObjectId()); | ||||
| 										stm_items.setLong(3, i.getCount()); | ||||
| 										stm_items.setLong(4, i.getPrice()); | ||||
| 										stm_items.executeUpdate(); | ||||
| 										stm_items.clearParameters(); | ||||
| 									} | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 							case MANUFACTURE: | ||||
| 							{ | ||||
| 								if (!Config.OFFLINE_CRAFT_ENABLE) | ||||
| 								{ | ||||
| 									continue; | ||||
| 								} | ||||
| 								title = pc.getStoreName(); | ||||
| 								for (L2ManufactureItem i : pc.getManufactureItems().values()) | ||||
| 								{ | ||||
| 									stm_items.setInt(1, pc.getObjectId()); | ||||
| 									stm_items.setInt(2, i.getRecipeId()); | ||||
| 									stm_items.setLong(3, 0); | ||||
| 									stm_items.setLong(4, i.getCost()); | ||||
| 									stm_items.executeUpdate(); | ||||
| 									stm_items.clearParameters(); | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 						} | ||||
| 						stm3.setString(4, title); | ||||
| 						stm3.executeUpdate(); | ||||
| 						stm3.clearParameters(); | ||||
| 						con.commit(); // flush | ||||
| 					} | ||||
| 				} | ||||
| 				catch (Exception e) | ||||
| 				{ | ||||
| 					LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Error while saving offline trader: " + pc.getObjectId() + " " + e, e); | ||||
| 				} | ||||
| 			} | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": Offline traders stored."); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Error while saving offline traders: " + e, e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public void restoreOfflineTraders() | ||||
| 	{ | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loading offline traders..."); | ||||
| 		int nTraders = 0; | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement stm = con.createStatement(); | ||||
| 			ResultSet rs = stm.executeQuery(LOAD_OFFLINE_STATUS)) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final long time = rs.getLong("time"); | ||||
| 				if (Config.OFFLINE_MAX_DAYS > 0) | ||||
| 				{ | ||||
| 					final Calendar cal = Calendar.getInstance(); | ||||
| 					cal.setTimeInMillis(time); | ||||
| 					cal.add(Calendar.DAY_OF_YEAR, Config.OFFLINE_MAX_DAYS); | ||||
| 					if (cal.getTimeInMillis() <= System.currentTimeMillis()) | ||||
| 					{ | ||||
| 						continue; | ||||
| 					} | ||||
| 				} | ||||
| 				 | ||||
| 				final int typeId = rs.getInt("type"); | ||||
| 				boolean isSellBuff = false; | ||||
| 				 | ||||
| 				if (typeId == PrivateStoreType.SELL_BUFFS.getId()) | ||||
| 				{ | ||||
| 					isSellBuff = true; | ||||
| 				} | ||||
| 				 | ||||
| 				final PrivateStoreType type = isSellBuff ? PrivateStoreType.PACKAGE_SELL : PrivateStoreType.findById(typeId); | ||||
| 				 | ||||
| 				if (type == null) | ||||
| 				{ | ||||
| 					LOGGER.warning(getClass().getSimpleName() + ": PrivateStoreType with id " + rs.getInt("type") + " could not be found."); | ||||
| 					continue; | ||||
| 				} | ||||
| 				 | ||||
| 				if (type == PrivateStoreType.NONE) | ||||
| 				{ | ||||
| 					continue; | ||||
| 				} | ||||
| 				 | ||||
| 				L2PcInstance player = null; | ||||
| 				 | ||||
| 				try | ||||
| 				{ | ||||
| 					final L2GameClient client = new L2GameClient(); | ||||
| 					client.setDetached(true); | ||||
| 					player = L2PcInstance.load(rs.getInt("charId")); | ||||
| 					client.setActiveChar(player); | ||||
| 					player.setOnlineStatus(true, false); | ||||
| 					client.setAccountName(player.getAccountNamePlayer()); | ||||
| 					player.setClient(client); | ||||
| 					player.setOfflineStartTime(time); | ||||
| 					 | ||||
| 					if (isSellBuff) | ||||
| 					{ | ||||
| 						player.setIsSellingBuffs(true); | ||||
| 					} | ||||
| 					 | ||||
| 					player.spawnMe(player.getX(), player.getY(), player.getZ()); | ||||
| 					LoginServerThread.getInstance().addGameServerLogin(player.getAccountName(), client); | ||||
| 					try (PreparedStatement stm_items = con.prepareStatement(LOAD_OFFLINE_ITEMS)) | ||||
| 					{ | ||||
| 						stm_items.setInt(1, player.getObjectId()); | ||||
| 						try (ResultSet items = stm_items.executeQuery()) | ||||
| 						{ | ||||
| 							switch (type) | ||||
| 							{ | ||||
| 								case BUY: | ||||
| 								{ | ||||
| 									while (items.next()) | ||||
| 									{ | ||||
| 										if (player.getBuyList().addItemByItemId(items.getInt(2), items.getLong(3), items.getLong(4)) == null) | ||||
| 										{ | ||||
| 											continue; | ||||
| 											// throw new NullPointerException(); | ||||
| 										} | ||||
| 									} | ||||
| 									player.getBuyList().setTitle(rs.getString("title")); | ||||
| 									break; | ||||
| 								} | ||||
| 								case SELL: | ||||
| 								case PACKAGE_SELL: | ||||
| 								{ | ||||
| 									if (player.isSellingBuffs()) | ||||
| 									{ | ||||
| 										while (items.next()) | ||||
| 										{ | ||||
| 											player.getSellingBuffs().add(new SellBuffHolder(items.getInt("item"), items.getLong("price"))); | ||||
| 										} | ||||
| 									} | ||||
| 									else | ||||
| 									{ | ||||
| 										while (items.next()) | ||||
| 										{ | ||||
| 											if (player.getSellList().addItem(items.getInt(2), items.getLong(3), items.getLong(4)) == null) | ||||
| 											{ | ||||
| 												continue; | ||||
| 												// throw new NullPointerException(); | ||||
| 											} | ||||
| 										} | ||||
| 									} | ||||
| 									player.getSellList().setTitle(rs.getString("title")); | ||||
| 									player.getSellList().setPackaged(type == PrivateStoreType.PACKAGE_SELL); | ||||
| 									break; | ||||
| 								} | ||||
| 								case MANUFACTURE: | ||||
| 								{ | ||||
| 									while (items.next()) | ||||
| 									{ | ||||
| 										player.getManufactureItems().put(items.getInt(2), new L2ManufactureItem(items.getInt(2), items.getLong(4))); | ||||
| 									} | ||||
| 									player.setStoreName(rs.getString("title")); | ||||
| 									break; | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 					} | ||||
| 					player.sitDown(); | ||||
| 					if (Config.OFFLINE_SET_NAME_COLOR) | ||||
| 					{ | ||||
| 						player.getAppearance().setNameColor(Config.OFFLINE_NAME_COLOR); | ||||
| 					} | ||||
| 					player.setPrivateStoreType(type); | ||||
| 					player.setOnlineStatus(true, true); | ||||
| 					player.restoreEffects(); | ||||
| 					player.broadcastUserInfo(); | ||||
| 					nTraders++; | ||||
| 				} | ||||
| 				catch (Exception e) | ||||
| 				{ | ||||
| 					LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Error loading trader: " + player, e); | ||||
| 					if (player != null) | ||||
| 					{ | ||||
| 						player.deleteMe(); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			 | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": Loaded: " + nTraders + " offline trader(s)"); | ||||
| 			 | ||||
| 			if (!Config.STORE_OFFLINE_TRADE_IN_REALTIME) | ||||
| 			{ | ||||
| 				try (Statement stm1 = con.createStatement()) | ||||
| 				{ | ||||
| 					stm1.execute(CLEAR_OFFLINE_TABLE); | ||||
| 					stm1.execute(CLEAR_OFFLINE_TABLE_ITEMS); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Error while loading offline traders: ", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static synchronized void onTransaction(L2PcInstance trader, boolean finished, boolean firstCall) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement stm1 = con.prepareStatement(CLEAR_OFFLINE_TABLE_ITEMS_PLAYER); | ||||
| 			PreparedStatement stm2 = con.prepareStatement(CLEAR_OFFLINE_TABLE_PLAYER); | ||||
| 			PreparedStatement stm3 = con.prepareStatement(SAVE_ITEMS); | ||||
| 			PreparedStatement stm4 = con.prepareStatement(SAVE_OFFLINE_STATUS)) | ||||
| 		{ | ||||
| 			String title = null; | ||||
| 			 | ||||
| 			stm1.setInt(1, trader.getObjectId()); // Char Id | ||||
| 			stm1.execute(); | ||||
| 			stm1.close(); | ||||
| 			 | ||||
| 			// Trade is done - clear info | ||||
| 			if (finished) | ||||
| 			{ | ||||
| 				stm2.setInt(1, trader.getObjectId()); // Char Id | ||||
| 				stm2.execute(); | ||||
| 				stm2.close(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				try | ||||
| 				{ | ||||
| 					if ((trader.getClient() == null) || trader.getClient().isDetached()) | ||||
| 					{ | ||||
| 						switch (trader.getPrivateStoreType()) | ||||
| 						{ | ||||
| 							case BUY: | ||||
| 							{ | ||||
| 								if (firstCall) | ||||
| 								{ | ||||
| 									title = trader.getBuyList().getTitle(); | ||||
| 								} | ||||
| 								for (TradeItem i : trader.getBuyList().getItems()) | ||||
| 								{ | ||||
| 									stm3.setInt(1, trader.getObjectId()); | ||||
| 									stm3.setInt(2, i.getItem().getId()); | ||||
| 									stm3.setLong(3, i.getCount()); | ||||
| 									stm3.setLong(4, i.getPrice()); | ||||
| 									stm3.executeUpdate(); | ||||
| 									stm3.clearParameters(); | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 							case SELL: | ||||
| 							case PACKAGE_SELL: | ||||
| 							{ | ||||
| 								if (firstCall) | ||||
| 								{ | ||||
| 									title = trader.getSellList().getTitle(); | ||||
| 								} | ||||
| 								if (trader.isSellingBuffs()) | ||||
| 								{ | ||||
| 									for (SellBuffHolder holder : trader.getSellingBuffs()) | ||||
| 									{ | ||||
| 										stm3.setInt(1, trader.getObjectId()); | ||||
| 										stm3.setInt(2, holder.getSkillId()); | ||||
| 										stm3.setLong(3, 0); | ||||
| 										stm3.setLong(4, holder.getPrice()); | ||||
| 										stm3.executeUpdate(); | ||||
| 										stm3.clearParameters(); | ||||
| 									} | ||||
| 								} | ||||
| 								else | ||||
| 								{ | ||||
| 									for (TradeItem i : trader.getSellList().getItems()) | ||||
| 									{ | ||||
| 										stm3.setInt(1, trader.getObjectId()); | ||||
| 										stm3.setInt(2, i.getObjectId()); | ||||
| 										stm3.setLong(3, i.getCount()); | ||||
| 										stm3.setLong(4, i.getPrice()); | ||||
| 										stm3.executeUpdate(); | ||||
| 										stm3.clearParameters(); | ||||
| 									} | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 							case MANUFACTURE: | ||||
| 							{ | ||||
| 								if (firstCall) | ||||
| 								{ | ||||
| 									title = trader.getStoreName(); | ||||
| 								} | ||||
| 								for (L2ManufactureItem i : trader.getManufactureItems().values()) | ||||
| 								{ | ||||
| 									stm3.setInt(1, trader.getObjectId()); | ||||
| 									stm3.setInt(2, i.getRecipeId()); | ||||
| 									stm3.setLong(3, 0); | ||||
| 									stm3.setLong(4, i.getCost()); | ||||
| 									stm3.executeUpdate(); | ||||
| 									stm3.clearParameters(); | ||||
| 								} | ||||
| 								break; | ||||
| 							} | ||||
| 						} | ||||
| 						stm3.close(); | ||||
| 						if (firstCall) | ||||
| 						{ | ||||
| 							stm4.setInt(1, trader.getObjectId()); // Char Id | ||||
| 							stm4.setLong(2, trader.getOfflineStartTime()); | ||||
| 							stm4.setInt(3, trader.isSellingBuffs() ? PrivateStoreType.SELL_BUFFS.getId() : trader.getPrivateStoreType().getId()); // store type | ||||
| 							stm4.setString(4, title); | ||||
| 							stm4.executeUpdate(); | ||||
| 							stm4.clearParameters(); | ||||
| 							stm4.close(); | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 				catch (Exception e) | ||||
| 				{ | ||||
| 					LOGGER.log(Level.WARNING, "OfflineTradersTable[storeTradeItems()]: Error while saving offline trader: " + trader.getObjectId() + " " + e, e); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "OfflineTradersTable[storeTradeItems()]: Error while saving offline traders: " + e, e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static synchronized void removeTrader(int traderObjId) | ||||
| 	{ | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement stm1 = con.prepareStatement(CLEAR_OFFLINE_TABLE_ITEMS_PLAYER); | ||||
| 			PreparedStatement stm2 = con.prepareStatement(CLEAR_OFFLINE_TABLE_PLAYER)) | ||||
| 		{ | ||||
| 			stm1.setInt(1, traderObjId); | ||||
| 			stm1.execute(); | ||||
| 			stm1.close(); | ||||
| 			 | ||||
| 			stm2.setInt(1, traderObjId); | ||||
| 			stm2.execute(); | ||||
| 			stm2.close(); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "OfflineTradersTable[removeTrader()]: Error while removing offline trader: " + traderObjId + " " + e, e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of OfflineTradersTable. | ||||
| 	 * @return single instance of OfflineTradersTable | ||||
| 	 */ | ||||
| 	public static OfflineTradersTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final OfflineTradersTable _instance = new OfflineTradersTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,115 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.PreparedStatement; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.SQLException; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
| import java.util.regex.Matcher; | ||||
| import java.util.regex.Pattern; | ||||
| import java.util.regex.PatternSyntaxException; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.data.xml.impl.PetDataTable; | ||||
|  | ||||
| public class PetNameTable | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(PetNameTable.class.getName()); | ||||
| 	 | ||||
| 	public static PetNameTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean doesPetNameExist(String name, int petNpcId) | ||||
| 	{ | ||||
| 		boolean result = true; | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			PreparedStatement ps = con.prepareStatement("SELECT name FROM pets p, items i WHERE p.item_obj_id = i.object_id AND name=? AND i.item_id IN (?)")) | ||||
| 		{ | ||||
| 			ps.setString(1, name); | ||||
| 			final StringBuilder cond = new StringBuilder(); | ||||
| 			if (!cond.toString().isEmpty()) | ||||
| 			{ | ||||
| 				cond.append(", "); | ||||
| 			} | ||||
| 			 | ||||
| 			cond.append(PetDataTable.getInstance().getPetItemsByNpc(petNpcId)); | ||||
| 			ps.setString(2, cond.toString()); | ||||
| 			try (ResultSet rs = ps.executeQuery()) | ||||
| 			{ | ||||
| 				result = rs.next(); | ||||
| 			} | ||||
| 		} | ||||
| 		catch (SQLException e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Could not check existing petname:" + e.getMessage(), e); | ||||
| 		} | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean isValidPetName(String name) | ||||
| 	{ | ||||
| 		boolean result = true; | ||||
| 		 | ||||
| 		if (!isAlphaNumeric(name)) | ||||
| 		{ | ||||
| 			return result; | ||||
| 		} | ||||
| 		 | ||||
| 		Pattern pattern; | ||||
| 		try | ||||
| 		{ | ||||
| 			pattern = Pattern.compile(Config.PET_NAME_TEMPLATE); | ||||
| 		} | ||||
| 		catch (PatternSyntaxException e) // case of illegal pattern | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Pet name pattern of config is wrong!"); | ||||
| 			pattern = Pattern.compile(".*"); | ||||
| 		} | ||||
| 		final Matcher regexp = pattern.matcher(name); | ||||
| 		if (!regexp.matches()) | ||||
| 		{ | ||||
| 			result = false; | ||||
| 		} | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	private boolean isAlphaNumeric(String text) | ||||
| 	{ | ||||
| 		boolean result = true; | ||||
| 		final char[] chars = text.toCharArray(); | ||||
| 		for (int i = 0; i < chars.length; i++) | ||||
| 		{ | ||||
| 			if (!Character.isLetterOrDigit(chars[i])) | ||||
| 			{ | ||||
| 				result = false; | ||||
| 				break; | ||||
| 			} | ||||
| 		} | ||||
| 		return result; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final PetNameTable _instance = new PetNameTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,92 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
|  | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.model.skills.Skill; | ||||
|  | ||||
| /** | ||||
|  * @author Nyaran | ||||
|  */ | ||||
| public class SummonEffectsTable | ||||
| { | ||||
| 	/** Servitors **/ | ||||
| 	// Map tree | ||||
| 	// -> key: charObjectId, value: classIndex Map | ||||
| 	// --> key: classIndex, value: servitors Map | ||||
| 	// ---> key: servitorSkillId, value: Effects list | ||||
| 	private final Map<Integer, Map<Integer, Map<Integer, List<SummonEffect>>>> _servitorEffects = new HashMap<>(); | ||||
| 	 | ||||
| 	public Map<Integer, Map<Integer, Map<Integer, List<SummonEffect>>>> getServitorEffectsOwner() | ||||
| 	{ | ||||
| 		return _servitorEffects; | ||||
| 	} | ||||
| 	 | ||||
| 	public Map<Integer, List<SummonEffect>> getServitorEffects(L2PcInstance owner) | ||||
| 	{ | ||||
| 		final Map<Integer, Map<Integer, List<SummonEffect>>> servitorMap = _servitorEffects.get(owner.getObjectId()); | ||||
| 		if (servitorMap == null) | ||||
| 		{ | ||||
| 			return null; | ||||
| 		} | ||||
| 		return servitorMap.get(owner.getClassIndex()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** Pets **/ | ||||
| 	private final Map<Integer, List<SummonEffect>> _petEffects = new HashMap<>(); // key: petItemObjectId, value: Effects list | ||||
| 	 | ||||
| 	public Map<Integer, List<SummonEffect>> getPetEffects() | ||||
| 	{ | ||||
| 		return _petEffects; | ||||
| 	} | ||||
| 	 | ||||
| 	public static class SummonEffect | ||||
| 	{ | ||||
| 		Skill _skill; | ||||
| 		int _effectCurTime; | ||||
| 		 | ||||
| 		public SummonEffect(Skill skill, int effectCurTime) | ||||
| 		{ | ||||
| 			_skill = skill; | ||||
| 			_effectCurTime = effectCurTime; | ||||
| 		} | ||||
| 		 | ||||
| 		public Skill getSkill() | ||||
| 		{ | ||||
| 			return _skill; | ||||
| 		} | ||||
| 		 | ||||
| 		public int getEffectCurTime() | ||||
| 		{ | ||||
| 			return _effectCurTime; | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public static SummonEffectsTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final SummonEffectsTable _instance = new SummonEffectsTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,123 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.sql.impl; | ||||
|  | ||||
| import java.sql.Connection; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.gameserver.model.L2TeleportLocation; | ||||
|  | ||||
| public class TeleportLocationTable | ||||
| { | ||||
| 	private static Logger LOGGER = Logger.getLogger(TeleportLocationTable.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2TeleportLocation> _teleports = new HashMap<>(); | ||||
| 	 | ||||
| 	protected TeleportLocationTable() | ||||
| 	{ | ||||
| 		reloadAll(); | ||||
| 	} | ||||
| 	 | ||||
| 	public void reloadAll() | ||||
| 	{ | ||||
| 		_teleports.clear(); | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement s = con.createStatement(); | ||||
| 			ResultSet rs = s.executeQuery("SELECT id, loc_x, loc_y, loc_z, price, fornoble, itemId FROM teleport")) | ||||
| 		{ | ||||
| 			L2TeleportLocation teleport; | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				teleport = new L2TeleportLocation(); | ||||
| 				 | ||||
| 				teleport.setTeleId(rs.getInt("id")); | ||||
| 				teleport.setLocX(rs.getInt("loc_x")); | ||||
| 				teleport.setLocY(rs.getInt("loc_y")); | ||||
| 				teleport.setLocZ(rs.getInt("loc_z")); | ||||
| 				teleport.setPrice(rs.getInt("price")); | ||||
| 				teleport.setIsForNoble(rs.getInt("fornoble") == 1); | ||||
| 				teleport.setItemId(rs.getInt("itemId")); | ||||
| 				 | ||||
| 				_teleports.put(teleport.getTeleId(), teleport); | ||||
| 			} | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": Loaded " + _teleports.size() + " Teleport Location Templates."); | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.SEVERE, getClass().getSimpleName() + ": Error loading Teleport Table.", e); | ||||
| 		} | ||||
| 		 | ||||
| 		if (Config.CUSTOM_TELEPORT_TABLE) | ||||
| 		{ | ||||
| 			int cTeleCount = _teleports.size(); | ||||
| 			try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 				Statement s = con.createStatement(); | ||||
| 				ResultSet rs = s.executeQuery("SELECT id, loc_x, loc_y, loc_z, price, fornoble, itemId FROM custom_teleport")) | ||||
| 			{ | ||||
| 				L2TeleportLocation teleport; | ||||
| 				while (rs.next()) | ||||
| 				{ | ||||
| 					teleport = new L2TeleportLocation(); | ||||
| 					teleport.setTeleId(rs.getInt("id")); | ||||
| 					teleport.setLocX(rs.getInt("loc_x")); | ||||
| 					teleport.setLocY(rs.getInt("loc_y")); | ||||
| 					teleport.setLocZ(rs.getInt("loc_z")); | ||||
| 					teleport.setPrice(rs.getInt("price")); | ||||
| 					teleport.setIsForNoble(rs.getInt("fornoble") == 1); | ||||
| 					teleport.setItemId(rs.getInt("itemId")); | ||||
| 					 | ||||
| 					_teleports.put(teleport.getTeleId(), teleport); | ||||
| 				} | ||||
| 				cTeleCount = _teleports.size() - cTeleCount; | ||||
| 				if (cTeleCount > 0) | ||||
| 				{ | ||||
| 					LOGGER.info(getClass().getSimpleName() + ": Loaded " + cTeleCount + " Custom Teleport Location Templates."); | ||||
| 				} | ||||
| 			} | ||||
| 			catch (Exception e) | ||||
| 			{ | ||||
| 				LOGGER.log(Level.WARNING, getClass().getSimpleName() + ": Error while creating custom teleport table " + e.getMessage(), e); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param id | ||||
| 	 * @return | ||||
| 	 */ | ||||
| 	public L2TeleportLocation getTemplate(int id) | ||||
| 	{ | ||||
| 		return _teleports.get(id); | ||||
| 	} | ||||
| 	 | ||||
| 	public static TeleportLocationTable getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final TeleportLocationTable _instance = new TeleportLocationTable(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,113 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.List; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.model.holders.RangeAbilityPointsHolder; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public final class AbilityPointsData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(AbilityPointsData.class.getName()); | ||||
| 	private final List<RangeAbilityPointsHolder> _points = new ArrayList<>(); | ||||
| 	 | ||||
| 	protected AbilityPointsData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public synchronized void load() | ||||
| 	{ | ||||
| 		_points.clear(); | ||||
| 		parseDatapackFile("config/AbilityPoints.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _points.size() + " range fees."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node d = n.getFirstChild(); d != null; d = d.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("points".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						final NamedNodeMap attrs = d.getAttributes(); | ||||
| 						final int from = parseInteger(attrs, "from"); | ||||
| 						final int to = parseInteger(attrs, "to"); | ||||
| 						final int costs = parseInteger(attrs, "costs"); | ||||
| 						_points.add(new RangeAbilityPointsHolder(from, to, costs)); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public RangeAbilityPointsHolder getHolder(int points) | ||||
| 	{ | ||||
| 		for (RangeAbilityPointsHolder holder : _points) | ||||
| 		{ | ||||
| 			if ((holder.getMin() <= points) && (holder.getMax() >= points)) | ||||
| 			{ | ||||
| 				return holder; | ||||
| 			} | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	public long getPrice(int points) | ||||
| 	{ | ||||
| 		points++; // for next point | ||||
| 		final RangeAbilityPointsHolder holder = getHolder(points); | ||||
| 		if (holder == null) | ||||
| 		{ | ||||
| 			final RangeAbilityPointsHolder prevHolder = getHolder(points - 1); | ||||
| 			if (prevHolder != null) | ||||
| 			{ | ||||
| 				return prevHolder.getSP(); | ||||
| 			} | ||||
| 			 | ||||
| 			// No data found | ||||
| 			return points >= 13 ? 1_000_000_000 : points >= 9 ? 750_000_000 : points >= 5 ? 500_000_000 : 250_000_000; | ||||
| 		} | ||||
| 		return holder.getSP(); | ||||
| 	} | ||||
| 	 | ||||
| 	public static AbilityPointsData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final AbilityPointsData _instance = new AbilityPointsData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,96 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.model.ActionDataHolder; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class ActionData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(ActionData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, ActionDataHolder> _actionData = new HashMap<>(); | ||||
| 	private final Map<Integer, Integer> _actionSkillsData = new HashMap<>(); // skillId, actionId | ||||
| 	 | ||||
| 	protected ActionData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		_actionData.clear(); | ||||
| 		_actionSkillsData.clear(); | ||||
| 		parseDatapackFile("data/ActionData.xml"); | ||||
| 		_actionData.values().stream().filter(h -> h.getHandler().equals("PetSkillUse") || h.getHandler().equals("ServitorSkillUse")).forEach(h -> _actionSkillsData.put(h.getOptionId(), h.getId())); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _actionData.size() + " player actions."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		forEach(doc, "list", listNode -> forEach(listNode, "action", actionNode -> | ||||
| 		{ | ||||
| 			final ActionDataHolder holder = new ActionDataHolder(new StatsSet(parseAttributes(actionNode))); | ||||
| 			_actionData.put(holder.getId(), holder); | ||||
| 		})); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param id | ||||
| 	 * @return the ActionDataHolder for specified id | ||||
| 	 */ | ||||
| 	public ActionDataHolder getActionData(int id) | ||||
| 	{ | ||||
| 		return _actionData.get(id); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param skillId | ||||
| 	 * @return the actionId corresponding to the skillId or -1 if no actionId is found for the specified skill. | ||||
| 	 */ | ||||
| 	public int getSkillActionId(int skillId) | ||||
| 	{ | ||||
| 		return _actionSkillsData.getOrDefault(skillId, -1); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of ActionData. | ||||
| 	 * @return single instance of ActionData | ||||
| 	 */ | ||||
| 	public static ActionData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ActionData _instance = new ActionData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,355 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.Map.Entry; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.model.L2AccessLevel; | ||||
| import com.l2jmobius.gameserver.model.L2AdminCommandAccessRight; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2PcInstance; | ||||
| import com.l2jmobius.gameserver.network.SystemMessageId; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.IClientOutgoingPacket; | ||||
| import com.l2jmobius.gameserver.network.serverpackets.SystemMessage; | ||||
|  | ||||
| /** | ||||
|  * Loads administrator access levels and commands. | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public final class AdminData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(AdminData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2AccessLevel> _accessLevels = new HashMap<>(); | ||||
| 	private final Map<String, L2AdminCommandAccessRight> _adminCommandAccessRights = new HashMap<>(); | ||||
| 	private final Map<L2PcInstance, Boolean> _gmList = new ConcurrentHashMap<>(); | ||||
| 	private int _highestLevel = 0; | ||||
| 	 | ||||
| 	protected AdminData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public synchronized void load() | ||||
| 	{ | ||||
| 		_accessLevels.clear(); | ||||
| 		_adminCommandAccessRights.clear(); | ||||
| 		parseDatapackFile("config/AccessLevels.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded: " + _accessLevels.size() + " Access Levels."); | ||||
| 		parseDatapackFile("config/AdminCommands.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded: " + _adminCommandAccessRights.size() + " Access Commands."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		NamedNodeMap attrs; | ||||
| 		Node attr; | ||||
| 		StatsSet set; | ||||
| 		L2AccessLevel level; | ||||
| 		L2AdminCommandAccessRight command; | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node d = n.getFirstChild(); d != null; d = d.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("access".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						set = new StatsSet(); | ||||
| 						attrs = d.getAttributes(); | ||||
| 						for (int i = 0; i < attrs.getLength(); i++) | ||||
| 						{ | ||||
| 							attr = attrs.item(i); | ||||
| 							set.set(attr.getNodeName(), attr.getNodeValue()); | ||||
| 						} | ||||
| 						level = new L2AccessLevel(set); | ||||
| 						if (level.getLevel() > _highestLevel) | ||||
| 						{ | ||||
| 							_highestLevel = level.getLevel(); | ||||
| 						} | ||||
| 						_accessLevels.put(level.getLevel(), level); | ||||
| 					} | ||||
| 					else if ("admin".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						set = new StatsSet(); | ||||
| 						attrs = d.getAttributes(); | ||||
| 						for (int i = 0; i < attrs.getLength(); i++) | ||||
| 						{ | ||||
| 							attr = attrs.item(i); | ||||
| 							set.set(attr.getNodeName(), attr.getNodeValue()); | ||||
| 						} | ||||
| 						command = new L2AdminCommandAccessRight(set); | ||||
| 						_adminCommandAccessRights.put(command.getAdminCommand(), command); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Returns the access level by characterAccessLevel. | ||||
| 	 * @param accessLevelNum as int | ||||
| 	 * @return the access level instance by char access level | ||||
| 	 */ | ||||
| 	public L2AccessLevel getAccessLevel(int accessLevelNum) | ||||
| 	{ | ||||
| 		if (accessLevelNum < 0) | ||||
| 		{ | ||||
| 			return _accessLevels.get(-1); | ||||
| 		} | ||||
| 		return _accessLevels.get(accessLevelNum); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the master access level. | ||||
| 	 * @return the master access level | ||||
| 	 */ | ||||
| 	public L2AccessLevel getMasterAccessLevel() | ||||
| 	{ | ||||
| 		return _accessLevels.get(_highestLevel); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks for access level. | ||||
| 	 * @param id the id | ||||
| 	 * @return {@code true}, if successful, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public boolean hasAccessLevel(int id) | ||||
| 	{ | ||||
| 		return _accessLevels.containsKey(id); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks for access. | ||||
| 	 * @param adminCommand the admin command | ||||
| 	 * @param accessLevel the access level | ||||
| 	 * @return {@code true}, if successful, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public boolean hasAccess(String adminCommand, L2AccessLevel accessLevel) | ||||
| 	{ | ||||
| 		L2AdminCommandAccessRight acar = _adminCommandAccessRights.get(adminCommand); | ||||
| 		if (acar == null) | ||||
| 		{ | ||||
| 			// Trying to avoid the spam for next time when the gm would try to use the same command | ||||
| 			if ((accessLevel.getLevel() > 0) && (accessLevel.getLevel() == _highestLevel)) | ||||
| 			{ | ||||
| 				acar = new L2AdminCommandAccessRight(adminCommand, true, accessLevel.getLevel()); | ||||
| 				_adminCommandAccessRights.put(adminCommand, acar); | ||||
| 				LOGGER.info(getClass().getSimpleName() + ": No rights defined for admin command " + adminCommand + " auto setting accesslevel: " + accessLevel.getLevel() + " !"); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				LOGGER.info(getClass().getSimpleName() + ": No rights defined for admin command " + adminCommand + " !"); | ||||
| 				return false; | ||||
| 			} | ||||
| 		} | ||||
| 		return acar.hasAccess(accessLevel); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Require confirm. | ||||
| 	 * @param command the command | ||||
| 	 * @return {@code true}, if the command require confirmation, {@code false} otherwise | ||||
| 	 */ | ||||
| 	public boolean requireConfirm(String command) | ||||
| 	{ | ||||
| 		final L2AdminCommandAccessRight acar = _adminCommandAccessRights.get(command); | ||||
| 		if (acar == null) | ||||
| 		{ | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": No rights defined for admin command " + command + "."); | ||||
| 			return false; | ||||
| 		} | ||||
| 		return acar.getRequireConfirm(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the all GMs. | ||||
| 	 * @param includeHidden the include hidden | ||||
| 	 * @return the all GMs | ||||
| 	 */ | ||||
| 	public List<L2PcInstance> getAllGms(boolean includeHidden) | ||||
| 	{ | ||||
| 		final List<L2PcInstance> tmpGmList = new ArrayList<>(); | ||||
| 		for (Entry<L2PcInstance, Boolean> entry : _gmList.entrySet()) | ||||
| 		{ | ||||
| 			if (includeHidden || !entry.getValue()) | ||||
| 			{ | ||||
| 				tmpGmList.add(entry.getKey()); | ||||
| 			} | ||||
| 		} | ||||
| 		return tmpGmList; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the all GM names. | ||||
| 	 * @param includeHidden the include hidden | ||||
| 	 * @return the all GM names | ||||
| 	 */ | ||||
| 	public List<String> getAllGmNames(boolean includeHidden) | ||||
| 	{ | ||||
| 		final List<String> tmpGmList = new ArrayList<>(); | ||||
| 		for (Entry<L2PcInstance, Boolean> entry : _gmList.entrySet()) | ||||
| 		{ | ||||
| 			if (!entry.getValue()) | ||||
| 			{ | ||||
| 				tmpGmList.add(entry.getKey().getName()); | ||||
| 			} | ||||
| 			else if (includeHidden) | ||||
| 			{ | ||||
| 				tmpGmList.add(entry.getKey().getName() + " (invis)"); | ||||
| 			} | ||||
| 		} | ||||
| 		return tmpGmList; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Add a L2PcInstance player to the Set _gmList. | ||||
| 	 * @param player the player | ||||
| 	 * @param hidden the hidden | ||||
| 	 */ | ||||
| 	public void addGm(L2PcInstance player, boolean hidden) | ||||
| 	{ | ||||
| 		_gmList.put(player, hidden); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Delete a GM. | ||||
| 	 * @param player the player | ||||
| 	 */ | ||||
| 	public void deleteGm(L2PcInstance player) | ||||
| 	{ | ||||
| 		_gmList.remove(player); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * GM will be displayed on clients GM list. | ||||
| 	 * @param player the player | ||||
| 	 */ | ||||
| 	public void showGm(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (_gmList.containsKey(player)) | ||||
| 		{ | ||||
| 			_gmList.put(player, false); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * GM will no longer be displayed on clients GM list. | ||||
| 	 * @param player the player | ||||
| 	 */ | ||||
| 	public void hideGm(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (_gmList.containsKey(player)) | ||||
| 		{ | ||||
| 			_gmList.put(player, true); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks if is GM online. | ||||
| 	 * @param includeHidden the include hidden | ||||
| 	 * @return true, if is GM online | ||||
| 	 */ | ||||
| 	public boolean isGmOnline(boolean includeHidden) | ||||
| 	{ | ||||
| 		for (Entry<L2PcInstance, Boolean> entry : _gmList.entrySet()) | ||||
| 		{ | ||||
| 			if (includeHidden || !entry.getValue()) | ||||
| 			{ | ||||
| 				return true; | ||||
| 			} | ||||
| 		} | ||||
| 		return false; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Send list to player. | ||||
| 	 * @param player the player | ||||
| 	 */ | ||||
| 	public void sendListToPlayer(L2PcInstance player) | ||||
| 	{ | ||||
| 		if (isGmOnline(player.isGM())) | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.GM_LIST); | ||||
| 			 | ||||
| 			for (String name : getAllGmNames(player.isGM())) | ||||
| 			{ | ||||
| 				final SystemMessage sm = SystemMessage.getSystemMessage(SystemMessageId.GM_C1); | ||||
| 				sm.addString(name); | ||||
| 				player.sendPacket(sm); | ||||
| 			} | ||||
| 		} | ||||
| 		else | ||||
| 		{ | ||||
| 			player.sendPacket(SystemMessageId.THERE_ARE_NO_GMS_CURRENTLY_VISIBLE_IN_THE_PUBLIC_LIST_AS_THEY_MAY_BE_PERFORMING_OTHER_FUNCTIONS_AT_THE_MOMENT); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Broadcast to GMs. | ||||
| 	 * @param packet the packet | ||||
| 	 */ | ||||
| 	public void broadcastToGMs(IClientOutgoingPacket packet) | ||||
| 	{ | ||||
| 		for (L2PcInstance gm : getAllGms(true)) | ||||
| 		{ | ||||
| 			gm.sendPacket(packet); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Broadcast message to GMs. | ||||
| 	 * @param message the message | ||||
| 	 * @return the message that was broadcasted | ||||
| 	 */ | ||||
| 	public String broadcastMessageToGMs(String message) | ||||
| 	{ | ||||
| 		for (L2PcInstance gm : getAllGms(true)) | ||||
| 		{ | ||||
| 			gm.sendMessage(message); | ||||
| 		} | ||||
| 		return message; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of AdminTable. | ||||
| 	 * @return AccessLevels: the one and only instance of this class<br> | ||||
| 	 */ | ||||
| 	public static AdminData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final AdminData _instance = new AdminData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,140 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
| import com.l2jmobius.gameserver.model.alchemy.AlchemyCraftData; | ||||
| import com.l2jmobius.gameserver.model.holders.ItemHolder; | ||||
|  | ||||
| /** | ||||
|  * @author Sdw | ||||
|  */ | ||||
| public class AlchemyData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(AlchemyData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Long, AlchemyCraftData> _alchemy = new HashMap<>(); | ||||
| 	 | ||||
| 	protected AlchemyData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		_alchemy.clear(); | ||||
| 		parseDatapackFile("data/AlchemyData.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _alchemy.size() + " alchemy craft skills."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		StatsSet set; | ||||
| 		Node att; | ||||
| 		NamedNodeMap attrs; | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node d = n.getFirstChild(); d != null; d = d.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("skill".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						attrs = d.getAttributes(); | ||||
| 						set = new StatsSet(); | ||||
| 						for (int i = 0; i < attrs.getLength(); i++) | ||||
| 						{ | ||||
| 							att = attrs.item(i); | ||||
| 							set.set(att.getNodeName(), att.getNodeValue()); | ||||
| 						} | ||||
| 						 | ||||
| 						final AlchemyCraftData alchemyCraft = new AlchemyCraftData(set); | ||||
| 						 | ||||
| 						for (Node c = d.getFirstChild(); c != null; c = c.getNextSibling()) | ||||
| 						{ | ||||
| 							if ("ingredients".equalsIgnoreCase(c.getNodeName())) | ||||
| 							{ | ||||
| 								for (Node b = c.getFirstChild(); b != null; b = b.getNextSibling()) | ||||
| 								{ | ||||
| 									if ("item".equalsIgnoreCase(b.getNodeName())) | ||||
| 									{ | ||||
| 										final int ingId = Integer.parseInt(b.getAttributes().getNamedItem("id").getNodeValue()); | ||||
| 										final int ingCount = Integer.parseInt(b.getAttributes().getNamedItem("count").getNodeValue()); | ||||
| 										alchemyCraft.addIngredient(new ItemHolder(ingId, ingCount)); | ||||
| 									} | ||||
| 								} | ||||
| 							} | ||||
| 							else if ("production".equalsIgnoreCase(c.getNodeName())) | ||||
| 							{ | ||||
| 								for (Node b = c.getFirstChild(); b != null; b = b.getNextSibling()) | ||||
| 								{ | ||||
| 									if ("item".equalsIgnoreCase(b.getNodeName())) | ||||
| 									{ | ||||
| 										final String type = b.getAttributes().getNamedItem("type").getNodeValue(); | ||||
| 										final int prodId = Integer.parseInt(b.getAttributes().getNamedItem("id").getNodeValue()); | ||||
| 										final int prodCount = Integer.parseInt(b.getAttributes().getNamedItem("count").getNodeValue()); | ||||
| 										 | ||||
| 										if (type.equalsIgnoreCase("ON_SUCCESS")) | ||||
| 										{ | ||||
| 											alchemyCraft.setProductionSuccess(new ItemHolder(prodId, prodCount)); | ||||
| 										} | ||||
| 										else if (type.equalsIgnoreCase("ON_FAILURE")) | ||||
| 										{ | ||||
| 											alchemyCraft.setProductionFailure(new ItemHolder(prodId, prodCount)); | ||||
| 										} | ||||
| 									} | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 						_alchemy.put(SkillData.getSkillHashCode(set.getInt("id"), set.getInt("level")), alchemyCraft); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public AlchemyCraftData getCraftData(int skillId, int skillLevel) | ||||
| 	{ | ||||
| 		return _alchemy.get(SkillData.getSkillHashCode(skillId, skillLevel)); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of AlchemyData. | ||||
| 	 * @return single instance of AlchemyData | ||||
| 	 */ | ||||
| 	public static AlchemyData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final AlchemyData _instance = new AlchemyData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,166 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.datatables.ItemTable; | ||||
| import com.l2jmobius.gameserver.enums.Race; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
| import com.l2jmobius.gameserver.model.items.appearance.AppearanceStone; | ||||
| import com.l2jmobius.gameserver.model.items.appearance.AppearanceTargetType; | ||||
| import com.l2jmobius.gameserver.model.items.type.CrystalType; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class AppearanceItemData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(AppearanceItemData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, AppearanceStone> _stones = new HashMap<>(); | ||||
| 	 | ||||
| 	protected AppearanceItemData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		parseDatapackFile("data/AppearanceStones.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded: " + _stones.size() + " Stones"); | ||||
| 		 | ||||
| 		//@formatter:off | ||||
| 		/* | ||||
| 		for (L2Item item : ItemTable.getInstance().getAllItems()) | ||||
| 		{ | ||||
| 			if ((item == null) || !item.getName().contains("Appearance Stone")) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			if (item.getName().contains("Pack") || _stones.containsKey(item.getId())) | ||||
| 			{ | ||||
| 				continue; | ||||
| 			} | ||||
| 			 | ||||
| 			System.out.println("Unhandled appearance stone: " + item); | ||||
| 		} | ||||
| 		*/ | ||||
| 		//@formatter:on | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		StatsSet set; | ||||
| 		Node att; | ||||
| 		NamedNodeMap attrs; | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node d = n.getFirstChild(); d != null; d = d.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("appearance_stone".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						attrs = d.getAttributes(); | ||||
| 						set = new StatsSet(); | ||||
| 						for (int i = 0; i < attrs.getLength(); i++) | ||||
| 						{ | ||||
| 							att = attrs.item(i); | ||||
| 							set.set(att.getNodeName(), att.getNodeValue()); | ||||
| 						} | ||||
| 						 | ||||
| 						final AppearanceStone stone = new AppearanceStone(set); | ||||
| 						for (Node c = d.getFirstChild(); c != null; c = c.getNextSibling()) | ||||
| 						{ | ||||
| 							switch (c.getNodeName()) | ||||
| 							{ | ||||
| 								case "grade": | ||||
| 								{ | ||||
| 									final CrystalType type = CrystalType.valueOf(c.getTextContent()); | ||||
| 									stone.addCrystalType(type); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "targetType": | ||||
| 								{ | ||||
| 									final AppearanceTargetType type = AppearanceTargetType.valueOf(c.getTextContent()); | ||||
| 									stone.addTargetType(type); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "bodyPart": | ||||
| 								{ | ||||
| 									final int part = ItemTable.SLOTS.get(c.getTextContent()); | ||||
| 									stone.addBodyPart(part); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "race": | ||||
| 								{ | ||||
| 									final Race race = Race.valueOf(c.getTextContent()); | ||||
| 									stone.addRace(race); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "raceNot": | ||||
| 								{ | ||||
| 									final Race raceNot = Race.valueOf(c.getTextContent()); | ||||
| 									stone.addRaceNot(raceNot); | ||||
| 									break; | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 						if (ItemTable.getInstance().getTemplate(stone.getId()) != null) | ||||
| 						{ | ||||
| 							_stones.put(stone.getId(), stone); | ||||
| 						} | ||||
| 						else | ||||
| 						{ | ||||
| 							LOGGER.info(getClass().getSimpleName() + ": Could not find appearance stone item " + stone.getId()); | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public AppearanceStone getStone(int stone) | ||||
| 	{ | ||||
| 		return _stones.get(stone); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of AppearanceItemData. | ||||
| 	 * @return single instance of AppearanceItemData | ||||
| 	 */ | ||||
| 	public static AppearanceItemData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final AppearanceItemData _instance = new AppearanceItemData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,186 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Collections; | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Logger; | ||||
| import java.util.stream.Stream; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.datatables.ItemTable; | ||||
| import com.l2jmobius.gameserver.model.L2ArmorSet; | ||||
| import com.l2jmobius.gameserver.model.holders.ArmorsetSkillHolder; | ||||
| import com.l2jmobius.gameserver.model.items.L2Item; | ||||
| import com.l2jmobius.gameserver.model.stats.BaseStats; | ||||
|  | ||||
| /** | ||||
|  * Loads armor set bonuses. | ||||
|  * @author godson, Luno, UnAfraid | ||||
|  */ | ||||
| public final class ArmorSetsData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(ArmorSetsData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2ArmorSet> _armorSets = new HashMap<>(); | ||||
| 	private final Map<Integer, List<L2ArmorSet>> _armorSetItems = new HashMap<>(); | ||||
| 	 | ||||
| 	protected ArmorSetsData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		_armorSets.clear(); | ||||
| 		parseDatapackDirectory("data/stats/armorsets", false); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _armorSets.size() + " Armor sets."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node setNode = n.getFirstChild(); setNode != null; setNode = setNode.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("set".equalsIgnoreCase(setNode.getNodeName())) | ||||
| 					{ | ||||
| 						final int id = parseInteger(setNode.getAttributes(), "id"); | ||||
| 						final int minimumPieces = parseInteger(setNode.getAttributes(), "minimumPieces", 0); | ||||
| 						final boolean isVisual = parseBoolean(setNode.getAttributes(), "visual", false); | ||||
| 						final L2ArmorSet set = new L2ArmorSet(id, minimumPieces, isVisual); | ||||
| 						if (_armorSets.putIfAbsent(id, set) != null) | ||||
| 						{ | ||||
| 							LOGGER.warning("Duplicate set entry with id: " + id + " in file: " + f.getName()); | ||||
| 						} | ||||
| 						for (Node innerSetNode = setNode.getFirstChild(); innerSetNode != null; innerSetNode = innerSetNode.getNextSibling()) | ||||
| 						{ | ||||
| 							switch (innerSetNode.getNodeName()) | ||||
| 							{ | ||||
| 								case "requiredItems": | ||||
| 								{ | ||||
| 									forEach(innerSetNode, b -> "item".equals(b.getNodeName()), node -> | ||||
| 									{ | ||||
| 										final NamedNodeMap attrs = node.getAttributes(); | ||||
| 										final int itemId = parseInteger(attrs, "id"); | ||||
| 										final L2Item item = ItemTable.getInstance().getTemplate(itemId); | ||||
| 										if (item == null) | ||||
| 										{ | ||||
| 											LOGGER.warning("Attempting to register non existing required item: " + itemId + " to a set: " + f.getName()); | ||||
| 										} | ||||
| 										else if (!set.addRequiredItem(itemId)) | ||||
| 										{ | ||||
| 											LOGGER.warning("Attempting to register duplicate required item " + item + " to a set: " + f.getName()); | ||||
| 										} | ||||
| 									}); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "optionalItems": | ||||
| 								{ | ||||
| 									forEach(innerSetNode, b -> "item".equals(b.getNodeName()), node -> | ||||
| 									{ | ||||
| 										final NamedNodeMap attrs = node.getAttributes(); | ||||
| 										final int itemId = parseInteger(attrs, "id"); | ||||
| 										final L2Item item = ItemTable.getInstance().getTemplate(itemId); | ||||
| 										if (item == null) | ||||
| 										{ | ||||
| 											LOGGER.warning("Attempting to register non existing optional item: " + itemId + " to a set: " + f.getName()); | ||||
| 										} | ||||
| 										else if (!set.addOptionalItem(itemId)) | ||||
| 										{ | ||||
| 											LOGGER.warning("Attempting to register duplicate optional item " + item + " to a set: " + f.getName()); | ||||
| 										} | ||||
| 									}); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "skills": | ||||
| 								{ | ||||
| 									forEach(innerSetNode, b -> "skill".equals(b.getNodeName()), node -> | ||||
| 									{ | ||||
| 										final NamedNodeMap attrs = node.getAttributes(); | ||||
| 										final int skillId = parseInteger(attrs, "id"); | ||||
| 										final int skillLevel = parseInteger(attrs, "level"); | ||||
| 										final int minPieces = parseInteger(attrs, "minimumPieces", set.getMinimumPieces()); | ||||
| 										final int minEnchant = parseInteger(attrs, "minimumEnchant", 0); | ||||
| 										final boolean isOptional = parseBoolean(attrs, "optional", false); | ||||
| 										set.addSkill(new ArmorsetSkillHolder(skillId, skillLevel, minPieces, minEnchant, isOptional)); | ||||
| 									}); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "stats": | ||||
| 								{ | ||||
| 									forEach(innerSetNode, b -> "stat".equals(b.getNodeName()), node -> | ||||
| 									{ | ||||
| 										final NamedNodeMap attrs = node.getAttributes(); | ||||
| 										set.addStatsBonus(parseEnum(attrs, BaseStats.class, "type"), parseInteger(attrs, "val")); | ||||
| 									}); | ||||
| 									break; | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 						 | ||||
| 						Stream.concat(set.getRequiredItems().stream(), set.getOptionalItems().stream()).forEach(itemHolder -> _armorSetItems.computeIfAbsent(itemHolder, key -> new ArrayList<>()).add(set)); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param setId the set id that is attached to a set | ||||
| 	 * @return the armor set associated to the given item id | ||||
| 	 */ | ||||
| 	public L2ArmorSet getSet(int setId) | ||||
| 	{ | ||||
| 		return _armorSets.get(setId); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * @param itemId the item id that is attached to a set | ||||
| 	 * @return the armor set associated to the given item id | ||||
| 	 */ | ||||
| 	public List<L2ArmorSet> getSets(int itemId) | ||||
| 	{ | ||||
| 		return _armorSetItems.getOrDefault(itemId, Collections.emptyList()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of ArmorSetsData | ||||
| 	 * @return single instance of ArmorSetsData | ||||
| 	 */ | ||||
| 	public static ArmorSetsData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ArmorSetsData _instance = new ArmorSetsData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,166 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.enums.Race; | ||||
| import com.l2jmobius.gameserver.enums.Sex; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
| import com.l2jmobius.gameserver.model.beautyshop.BeautyData; | ||||
| import com.l2jmobius.gameserver.model.beautyshop.BeautyItem; | ||||
|  | ||||
| /** | ||||
|  * @author Sdw | ||||
|  */ | ||||
| public final class BeautyShopData implements IGameXmlReader | ||||
| { | ||||
| 	private final Map<Race, Map<Sex, BeautyData>> _beautyList = new HashMap<>(); | ||||
| 	private final Map<Sex, BeautyData> _beautyData = new HashMap<>(); | ||||
| 	 | ||||
| 	protected BeautyShopData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public synchronized void load() | ||||
| 	{ | ||||
| 		_beautyList.clear(); | ||||
| 		_beautyData.clear(); | ||||
| 		parseDatapackFile("data/BeautyShop.xml"); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		NamedNodeMap attrs; | ||||
| 		StatsSet set; | ||||
| 		Node att; | ||||
| 		Race race = null; | ||||
| 		Sex sex = null; | ||||
| 		 | ||||
| 		for (Node n = doc.getFirstChild(); n != null; n = n.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(n.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node d = n.getFirstChild(); d != null; d = d.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("race".equalsIgnoreCase(d.getNodeName())) | ||||
| 					{ | ||||
| 						att = d.getAttributes().getNamedItem("type"); | ||||
| 						if (att != null) | ||||
| 						{ | ||||
| 							race = parseEnum(att, Race.class); | ||||
| 						} | ||||
| 						 | ||||
| 						for (Node b = d.getFirstChild(); b != null; b = b.getNextSibling()) | ||||
| 						{ | ||||
| 							if ("sex".equalsIgnoreCase(b.getNodeName())) | ||||
| 							{ | ||||
| 								att = b.getAttributes().getNamedItem("type"); | ||||
| 								if (att != null) | ||||
| 								{ | ||||
| 									sex = parseEnum(att, Sex.class); | ||||
| 								} | ||||
| 								 | ||||
| 								final BeautyData beautyData = new BeautyData(); | ||||
| 								 | ||||
| 								for (Node a = b.getFirstChild(); a != null; a = a.getNextSibling()) | ||||
| 								{ | ||||
| 									if ("hair".equalsIgnoreCase(a.getNodeName())) | ||||
| 									{ | ||||
| 										attrs = a.getAttributes(); | ||||
| 										set = new StatsSet(); | ||||
| 										for (int i = 0; i < attrs.getLength(); i++) | ||||
| 										{ | ||||
| 											att = attrs.item(i); | ||||
| 											set.set(att.getNodeName(), att.getNodeValue()); | ||||
| 										} | ||||
| 										final BeautyItem hair = new BeautyItem(set); | ||||
| 										 | ||||
| 										for (Node g = a.getFirstChild(); g != null; g = g.getNextSibling()) | ||||
| 										{ | ||||
| 											if ("color".equalsIgnoreCase(g.getNodeName())) | ||||
| 											{ | ||||
| 												attrs = g.getAttributes(); | ||||
| 												set = new StatsSet(); | ||||
| 												for (int i = 0; i < attrs.getLength(); i++) | ||||
| 												{ | ||||
| 													att = attrs.item(i); | ||||
| 													set.set(att.getNodeName(), att.getNodeValue()); | ||||
| 												} | ||||
| 												hair.addColor(set); | ||||
| 											} | ||||
| 										} | ||||
| 										beautyData.addHair(hair); | ||||
| 									} | ||||
| 									else if ("face".equalsIgnoreCase(a.getNodeName())) | ||||
| 									{ | ||||
| 										attrs = a.getAttributes(); | ||||
| 										set = new StatsSet(); | ||||
| 										for (int i = 0; i < attrs.getLength(); i++) | ||||
| 										{ | ||||
| 											att = attrs.item(i); | ||||
| 											set.set(att.getNodeName(), att.getNodeValue()); | ||||
| 										} | ||||
| 										final BeautyItem face = new BeautyItem(set); | ||||
| 										beautyData.addFace(face); | ||||
| 									} | ||||
| 								} | ||||
| 								 | ||||
| 								_beautyData.put(sex, beautyData); | ||||
| 							} | ||||
| 						} | ||||
| 						_beautyList.put(race, _beautyData); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public boolean hasBeautyData(Race race, Sex sex) | ||||
| 	{ | ||||
| 		return _beautyList.containsKey(race) && _beautyList.get(race).containsKey(sex); | ||||
| 	} | ||||
| 	 | ||||
| 	public BeautyData getBeautyData(Race race, Sex sex) | ||||
| 	{ | ||||
| 		if (_beautyList.containsKey(race)) | ||||
| 		{ | ||||
| 			return _beautyList.get(race).get(sex); | ||||
| 		} | ||||
| 		return null; | ||||
| 	} | ||||
| 	 | ||||
| 	public static BeautyShopData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final BeautyShopData _instance = new BeautyShopData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,203 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.io.FileFilter; | ||||
| import java.sql.Connection; | ||||
| import java.sql.ResultSet; | ||||
| import java.sql.Statement; | ||||
| import java.util.HashMap; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Level; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.Config; | ||||
| import com.l2jmobius.commons.database.DatabaseFactory; | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.commons.util.file.filter.NumericNameFilter; | ||||
| import com.l2jmobius.gameserver.datatables.ItemTable; | ||||
| import com.l2jmobius.gameserver.model.buylist.L2BuyList; | ||||
| import com.l2jmobius.gameserver.model.buylist.Product; | ||||
| import com.l2jmobius.gameserver.model.items.L2Item; | ||||
|  | ||||
| /** | ||||
|  * Loads buy lists for NPCs. | ||||
|  * @author NosBit | ||||
|  */ | ||||
| public final class BuyListData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(BuyListData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<Integer, L2BuyList> _buyLists = new HashMap<>(); | ||||
| 	private static final FileFilter NUMERIC_FILTER = new NumericNameFilter(); | ||||
| 	 | ||||
| 	protected BuyListData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public synchronized void load() | ||||
| 	{ | ||||
| 		_buyLists.clear(); | ||||
| 		parseDatapackDirectory("data/buylists", false); | ||||
| 		if (Config.CUSTOM_BUYLIST_LOAD) | ||||
| 		{ | ||||
| 			parseDatapackDirectory("data/buylists/custom", false); | ||||
| 		} | ||||
| 		 | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _buyLists.size() + " BuyLists."); | ||||
| 		 | ||||
| 		try (Connection con = DatabaseFactory.getInstance().getConnection(); | ||||
| 			Statement statement = con.createStatement(); | ||||
| 			ResultSet rs = statement.executeQuery("SELECT * FROM `buylists`")) | ||||
| 		{ | ||||
| 			while (rs.next()) | ||||
| 			{ | ||||
| 				final int buyListId = rs.getInt("buylist_id"); | ||||
| 				final int itemId = rs.getInt("item_id"); | ||||
| 				final long count = rs.getLong("count"); | ||||
| 				final long nextRestockTime = rs.getLong("next_restock_time"); | ||||
| 				final L2BuyList buyList = getBuyList(buyListId); | ||||
| 				if (buyList == null) | ||||
| 				{ | ||||
| 					LOGGER.warning("BuyList found in database but not loaded from xml! BuyListId: " + buyListId); | ||||
| 					continue; | ||||
| 				} | ||||
| 				final Product product = buyList.getProductByItemId(itemId); | ||||
| 				if (product == null) | ||||
| 				{ | ||||
| 					LOGGER.warning("ItemId found in database but not loaded from xml! BuyListId: " + buyListId + " ItemId: " + itemId); | ||||
| 					continue; | ||||
| 				} | ||||
| 				if (count < product.getMaxCount()) | ||||
| 				{ | ||||
| 					product.setCount(count); | ||||
| 					product.restartRestockTask(nextRestockTime); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Failed to load buyList data from database.", e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		try | ||||
| 		{ | ||||
| 			final int buyListId = Integer.parseInt(f.getName().replaceAll(".xml", "")); | ||||
| 			 | ||||
| 			for (Node node = doc.getFirstChild(); node != null; node = node.getNextSibling()) | ||||
| 			{ | ||||
| 				if ("list".equalsIgnoreCase(node.getNodeName())) | ||||
| 				{ | ||||
| 					final L2BuyList buyList = new L2BuyList(buyListId); | ||||
| 					for (Node list_node = node.getFirstChild(); list_node != null; list_node = list_node.getNextSibling()) | ||||
| 					{ | ||||
| 						if ("item".equalsIgnoreCase(list_node.getNodeName())) | ||||
| 						{ | ||||
| 							int itemId = -1; | ||||
| 							long price = -1; | ||||
| 							long restockDelay = -1; | ||||
| 							long count = -1; | ||||
| 							final NamedNodeMap attrs = list_node.getAttributes(); | ||||
| 							Node attr = attrs.getNamedItem("id"); | ||||
| 							itemId = Integer.parseInt(attr.getNodeValue()); | ||||
| 							attr = attrs.getNamedItem("price"); | ||||
| 							if (attr != null) | ||||
| 							{ | ||||
| 								price = Long.parseLong(attr.getNodeValue()); | ||||
| 							} | ||||
| 							attr = attrs.getNamedItem("restock_delay"); | ||||
| 							if (attr != null) | ||||
| 							{ | ||||
| 								restockDelay = Long.parseLong(attr.getNodeValue()); | ||||
| 							} | ||||
| 							attr = attrs.getNamedItem("count"); | ||||
| 							if (attr != null) | ||||
| 							{ | ||||
| 								count = Long.parseLong(attr.getNodeValue()); | ||||
| 							} | ||||
| 							final L2Item item = ItemTable.getInstance().getTemplate(itemId); | ||||
| 							if (item != null) | ||||
| 							{ | ||||
| 								if ((price > -1) && (item.getReferencePrice() > price) && (buyList.getNpcsAllowed() != null)) | ||||
| 								{ | ||||
| 									LOGGER.warning("Item price is too low. BuyList:" + buyList.getListId() + " ItemID:" + itemId + " File:" + f.getName()); | ||||
| 									LOGGER.warning("Setting price to reference price " + item.getReferencePrice() + " instead of " + price + "."); | ||||
| 									buyList.addProduct(new Product(buyList.getListId(), item, item.getReferencePrice(), restockDelay, count)); | ||||
| 								} | ||||
| 								else | ||||
| 								{ | ||||
| 									buyList.addProduct(new Product(buyList.getListId(), item, price, restockDelay, count)); | ||||
| 								} | ||||
| 							} | ||||
| 							else | ||||
| 							{ | ||||
| 								LOGGER.warning("Item not found. BuyList:" + buyList.getListId() + " ItemID:" + itemId + " File:" + f.getName()); | ||||
| 							} | ||||
| 						} | ||||
| 						else if ("npcs".equalsIgnoreCase(list_node.getNodeName())) | ||||
| 						{ | ||||
| 							for (Node npcs_node = list_node.getFirstChild(); npcs_node != null; npcs_node = npcs_node.getNextSibling()) | ||||
| 							{ | ||||
| 								if ("npc".equalsIgnoreCase(npcs_node.getNodeName())) | ||||
| 								{ | ||||
| 									buyList.addAllowedNpc(Integer.parseInt(npcs_node.getTextContent())); | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 					} | ||||
| 					_buyLists.put(buyList.getListId(), buyList); | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		catch (Exception e) | ||||
| 		{ | ||||
| 			LOGGER.log(Level.WARNING, "Failed to load buyList data from xml File:" + f.getName(), e); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public FileFilter getCurrentFileFilter() | ||||
| 	{ | ||||
| 		return NUMERIC_FILTER; | ||||
| 	} | ||||
| 	 | ||||
| 	public L2BuyList getBuyList(int listId) | ||||
| 	{ | ||||
| 		return _buyLists.get(listId); | ||||
| 	} | ||||
| 	 | ||||
| 	public static BuyListData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final BuyListData _instance = new BuyListData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,148 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Collections; | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.stream.Collectors; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.enums.CastleSide; | ||||
| import com.l2jmobius.gameserver.enums.SiegeGuardType; | ||||
| import com.l2jmobius.gameserver.model.holders.CastleSpawnHolder; | ||||
| import com.l2jmobius.gameserver.model.holders.SiegeGuardHolder; | ||||
|  | ||||
| /** | ||||
|  * @author St3eT | ||||
|  */ | ||||
| public final class CastleData implements IGameXmlReader | ||||
| { | ||||
| 	private final Map<Integer, List<CastleSpawnHolder>> _spawns = new HashMap<>(); | ||||
| 	private static final Map<Integer, List<SiegeGuardHolder>> _siegeGuards = new HashMap<>(); | ||||
| 	 | ||||
| 	protected CastleData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		_spawns.clear(); | ||||
| 		_siegeGuards.clear(); | ||||
| 		parseDatapackDirectory("data/residences/castles", true); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		for (Node listNode = doc.getFirstChild(); listNode != null; listNode = listNode.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equals(listNode.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node castleNode = listNode.getFirstChild(); castleNode != null; castleNode = castleNode.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("castle".equals(castleNode.getNodeName())) | ||||
| 					{ | ||||
| 						final int castleId = parseInteger(castleNode.getAttributes(), "id"); | ||||
| 						for (Node tpNode = castleNode.getFirstChild(); tpNode != null; tpNode = tpNode.getNextSibling()) | ||||
| 						{ | ||||
| 							final List<CastleSpawnHolder> spawns = new ArrayList<>(); | ||||
| 							 | ||||
| 							if ("spawns".equals(tpNode.getNodeName())) | ||||
| 							{ | ||||
| 								for (Node npcNode = tpNode.getFirstChild(); npcNode != null; npcNode = npcNode.getNextSibling()) | ||||
| 								{ | ||||
| 									if ("npc".equals(npcNode.getNodeName())) | ||||
| 									{ | ||||
| 										final NamedNodeMap np = npcNode.getAttributes(); | ||||
| 										final int npcId = parseInteger(np, "id"); | ||||
| 										final CastleSide side = parseEnum(np, CastleSide.class, "castleSide", CastleSide.NEUTRAL); | ||||
| 										final int x = parseInteger(np, "x"); | ||||
| 										final int y = parseInteger(np, "y"); | ||||
| 										final int z = parseInteger(np, "z"); | ||||
| 										final int heading = parseInteger(np, "heading"); | ||||
| 										 | ||||
| 										spawns.add(new CastleSpawnHolder(npcId, side, x, y, z, heading)); | ||||
| 									} | ||||
| 								} | ||||
| 								_spawns.put(castleId, spawns); | ||||
| 							} | ||||
| 							else if ("siegeGuards".equals(tpNode.getNodeName())) | ||||
| 							{ | ||||
| 								final List<SiegeGuardHolder> guards = new ArrayList<>(); | ||||
| 								 | ||||
| 								for (Node npcNode = tpNode.getFirstChild(); npcNode != null; npcNode = npcNode.getNextSibling()) | ||||
| 								{ | ||||
| 									if ("guard".equals(npcNode.getNodeName())) | ||||
| 									{ | ||||
| 										final NamedNodeMap np = npcNode.getAttributes(); | ||||
| 										final int itemId = parseInteger(np, "itemId"); | ||||
| 										final SiegeGuardType type = parseEnum(tpNode.getAttributes(), SiegeGuardType.class, "type"); | ||||
| 										final boolean stationary = parseBoolean(np, "stationary", false); | ||||
| 										final int npcId = parseInteger(np, "npcId"); | ||||
| 										final int npcMaxAmount = parseInteger(np, "npcMaxAmount"); | ||||
| 										 | ||||
| 										guards.add(new SiegeGuardHolder(castleId, itemId, type, stationary, npcId, npcMaxAmount)); | ||||
| 									} | ||||
| 								} | ||||
| 								getSiegeGuards().put(castleId, guards); | ||||
| 							} | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	public final List<CastleSpawnHolder> getSpawnsForSide(int castleId, CastleSide side) | ||||
| 	{ | ||||
| 		return _spawns.getOrDefault(castleId, Collections.emptyList()).stream().filter(s -> s.getSide() == side).collect(Collectors.toList()); | ||||
| 	} | ||||
| 	 | ||||
| 	public final List<SiegeGuardHolder> getSiegeGuardsForCastle(int castleId) | ||||
| 	{ | ||||
| 		return _siegeGuards.getOrDefault(castleId, Collections.emptyList()); | ||||
| 	} | ||||
| 	 | ||||
| 	public final Map<Integer, List<SiegeGuardHolder>> getSiegeGuards() | ||||
| 	{ | ||||
| 		return _siegeGuards; | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of CastleData. | ||||
| 	 * @return single instance of CastleData | ||||
| 	 */ | ||||
| 	public static CastleData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final CastleData _instance = new CastleData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,126 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.HashMap; | ||||
| import java.util.HashSet; | ||||
| import java.util.Map; | ||||
| import java.util.Set; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.enums.CategoryType; | ||||
|  | ||||
| /** | ||||
|  * Loads the category data with Class or NPC IDs. | ||||
|  * @author NosBit, xban1x | ||||
|  */ | ||||
| public final class CategoryData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(CategoryData.class.getName()); | ||||
| 	 | ||||
| 	private final Map<CategoryType, Set<Integer>> _categories = new HashMap<>(); | ||||
| 	 | ||||
| 	protected CategoryData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		_categories.clear(); | ||||
| 		parseDatapackFile("data/CategoryData.xml"); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Loaded " + _categories.size() + " Categories."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		for (Node node = doc.getFirstChild(); node != null; node = node.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equalsIgnoreCase(node.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node list_node = node.getFirstChild(); list_node != null; list_node = list_node.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("category".equalsIgnoreCase(list_node.getNodeName())) | ||||
| 					{ | ||||
| 						final NamedNodeMap attrs = list_node.getAttributes(); | ||||
| 						final CategoryType categoryType = CategoryType.findByName(attrs.getNamedItem("name").getNodeValue()); | ||||
| 						if (categoryType == null) | ||||
| 						{ | ||||
| 							LOGGER.warning(getClass().getSimpleName() + ": Can't find category by name: " + attrs.getNamedItem("name").getNodeValue()); | ||||
| 							continue; | ||||
| 						} | ||||
| 						 | ||||
| 						final Set<Integer> ids = new HashSet<>(); | ||||
| 						for (Node category_node = list_node.getFirstChild(); category_node != null; category_node = category_node.getNextSibling()) | ||||
| 						{ | ||||
| 							if ("id".equalsIgnoreCase(category_node.getNodeName())) | ||||
| 							{ | ||||
| 								ids.add(Integer.parseInt(category_node.getTextContent())); | ||||
| 							} | ||||
| 						} | ||||
| 						_categories.put(categoryType, ids); | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Checks if ID is in category. | ||||
| 	 * @param type The category type | ||||
| 	 * @param id The id to be checked | ||||
| 	 * @return {@code true} if id is in category, {@code false} if id is not in category or category was not found | ||||
| 	 */ | ||||
| 	public boolean isInCategory(CategoryType type, int id) | ||||
| 	{ | ||||
| 		final Set<Integer> category = getCategoryByType(type); | ||||
| 		if (category == null) | ||||
| 		{ | ||||
| 			LOGGER.warning(getClass().getSimpleName() + ": Can't find category type: " + type); | ||||
| 			return false; | ||||
| 		} | ||||
| 		return category.contains(id); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the category by category type. | ||||
| 	 * @param type The category type | ||||
| 	 * @return A {@code Set} containing all the IDs in category if category is found, {@code null} if category was not found | ||||
| 	 */ | ||||
| 	public Set<Integer> getCategoryByType(CategoryType type) | ||||
| 	{ | ||||
| 		return _categories.get(type); | ||||
| 	} | ||||
| 	 | ||||
| 	public static CategoryData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final CategoryData _instance = new CategoryData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,212 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Collection; | ||||
| import java.util.Comparator; | ||||
| import java.util.HashMap; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.logging.Logger; | ||||
| import java.util.stream.Collectors; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.gameserver.enums.ClanHallGrade; | ||||
| import com.l2jmobius.gameserver.enums.ClanHallType; | ||||
| import com.l2jmobius.gameserver.model.L2Clan; | ||||
| import com.l2jmobius.gameserver.model.Location; | ||||
| import com.l2jmobius.gameserver.model.StatsSet; | ||||
| import com.l2jmobius.gameserver.model.actor.instance.L2DoorInstance; | ||||
| import com.l2jmobius.gameserver.model.entity.ClanHall; | ||||
| import com.l2jmobius.gameserver.model.holders.ClanHallTeleportHolder; | ||||
|  | ||||
| /** | ||||
|  * @author St3eT | ||||
|  */ | ||||
| public final class ClanHallData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(ClanHallData.class.getName()); | ||||
| 	private static final Map<Integer, ClanHall> _clanHalls = new HashMap<>(); | ||||
| 	 | ||||
| 	protected ClanHallData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		parseDatapackDirectory("data/residences/clanHalls", true); | ||||
| 		LOGGER.info(getClass().getSimpleName() + ": Succesfully loaded " + _clanHalls.size() + " Clan Halls."); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		final List<L2DoorInstance> doors = new ArrayList<>(); | ||||
| 		final List<Integer> npcs = new ArrayList<>(); | ||||
| 		final List<ClanHallTeleportHolder> teleports = new ArrayList<>(); | ||||
| 		final StatsSet params = new StatsSet(); | ||||
| 		 | ||||
| 		for (Node listNode = doc.getFirstChild(); listNode != null; listNode = listNode.getNextSibling()) | ||||
| 		{ | ||||
| 			if ("list".equals(listNode.getNodeName())) | ||||
| 			{ | ||||
| 				for (Node clanHallNode = listNode.getFirstChild(); clanHallNode != null; clanHallNode = clanHallNode.getNextSibling()) | ||||
| 				{ | ||||
| 					if ("clanHall".equals(clanHallNode.getNodeName())) | ||||
| 					{ | ||||
| 						params.set("id", parseInteger(clanHallNode.getAttributes(), "id")); | ||||
| 						params.set("name", parseString(clanHallNode.getAttributes(), "name", "None")); | ||||
| 						params.set("grade", parseEnum(clanHallNode.getAttributes(), ClanHallGrade.class, "grade", ClanHallGrade.GRADE_NONE)); | ||||
| 						params.set("type", parseEnum(clanHallNode.getAttributes(), ClanHallType.class, "type", ClanHallType.OTHER)); | ||||
| 						 | ||||
| 						for (Node tpNode = clanHallNode.getFirstChild(); tpNode != null; tpNode = tpNode.getNextSibling()) | ||||
| 						{ | ||||
| 							switch (tpNode.getNodeName()) | ||||
| 							{ | ||||
| 								case "auction": | ||||
| 								{ | ||||
| 									final NamedNodeMap at = tpNode.getAttributes(); | ||||
| 									params.set("minBid", parseInteger(at, "minBid")); | ||||
| 									params.set("lease", parseInteger(at, "lease")); | ||||
| 									params.set("deposit", parseInteger(at, "deposit")); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "npcs": | ||||
| 								{ | ||||
| 									for (Node npcNode = tpNode.getFirstChild(); npcNode != null; npcNode = npcNode.getNextSibling()) | ||||
| 									{ | ||||
| 										if ("npc".equals(npcNode.getNodeName())) | ||||
| 										{ | ||||
| 											final NamedNodeMap np = npcNode.getAttributes(); | ||||
| 											final int npcId = parseInteger(np, "id"); | ||||
| 											npcs.add(npcId); | ||||
| 										} | ||||
| 									} | ||||
| 									params.set("npcList", npcs); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "doorlist": | ||||
| 								{ | ||||
| 									for (Node npcNode = tpNode.getFirstChild(); npcNode != null; npcNode = npcNode.getNextSibling()) | ||||
| 									{ | ||||
| 										if ("door".equals(npcNode.getNodeName())) | ||||
| 										{ | ||||
| 											final NamedNodeMap np = npcNode.getAttributes(); | ||||
| 											final int doorId = parseInteger(np, "id"); | ||||
| 											final L2DoorInstance door = DoorData.getInstance().getDoor(doorId); | ||||
| 											if (door != null) | ||||
| 											{ | ||||
| 												doors.add(door); | ||||
| 											} | ||||
| 										} | ||||
| 									} | ||||
| 									params.set("doorList", doors); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "teleportList": | ||||
| 								{ | ||||
| 									for (Node npcNode = tpNode.getFirstChild(); npcNode != null; npcNode = npcNode.getNextSibling()) | ||||
| 									{ | ||||
| 										if ("teleport".equals(npcNode.getNodeName())) | ||||
| 										{ | ||||
| 											final NamedNodeMap np = npcNode.getAttributes(); | ||||
| 											final int npcStringId = parseInteger(np, "npcStringId"); | ||||
| 											final int x = parseInteger(np, "x"); | ||||
| 											final int y = parseInteger(np, "y"); | ||||
| 											final int z = parseInteger(np, "z"); | ||||
| 											final int minFunctionLevel = parseInteger(np, "minFunctionLevel"); | ||||
| 											final int cost = parseInteger(np, "cost"); | ||||
| 											teleports.add(new ClanHallTeleportHolder(npcStringId, x, y, z, minFunctionLevel, cost)); | ||||
| 										} | ||||
| 									} | ||||
| 									params.set("teleportList", teleports); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "ownerRestartPoint": | ||||
| 								{ | ||||
| 									final NamedNodeMap ol = tpNode.getAttributes(); | ||||
| 									params.set("owner_loc", new Location(parseInteger(ol, "x"), parseInteger(ol, "y"), parseInteger(ol, "z"))); | ||||
| 									break; | ||||
| 								} | ||||
| 								case "banishPoint": | ||||
| 								{ | ||||
| 									final NamedNodeMap bl = tpNode.getAttributes(); | ||||
| 									params.set("banish_loc", new Location(parseInteger(bl, "x"), parseInteger(bl, "y"), parseInteger(bl, "z"))); | ||||
| 									break; | ||||
| 								} | ||||
| 							} | ||||
| 						} | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 		} | ||||
| 		_clanHalls.put(params.getInt("id"), new ClanHall(params)); | ||||
| 	} | ||||
| 	 | ||||
| 	public ClanHall getClanHallById(int clanHallId) | ||||
| 	{ | ||||
| 		return _clanHalls.get(clanHallId); | ||||
| 	} | ||||
| 	 | ||||
| 	public Collection<ClanHall> getClanHalls() | ||||
| 	{ | ||||
| 		return _clanHalls.values(); | ||||
| 	} | ||||
| 	 | ||||
| 	public ClanHall getClanHallByNpcId(int npcId) | ||||
| 	{ | ||||
| 		return _clanHalls.values().stream().filter(ch -> ch.getNpcs().contains(npcId)).findFirst().orElse(null); | ||||
| 	} | ||||
| 	 | ||||
| 	public ClanHall getClanHallByClan(L2Clan clan) | ||||
| 	{ | ||||
| 		return _clanHalls.values().stream().filter(ch -> ch.getOwner() == clan).findFirst().orElse(null); | ||||
| 	} | ||||
| 	 | ||||
| 	public ClanHall getClanHallByDoorId(int doorId) | ||||
| 	{ | ||||
| 		final L2DoorInstance door = DoorData.getInstance().getDoor(doorId); | ||||
| 		return _clanHalls.values().stream().filter(ch -> ch.getDoors().contains(door)).findFirst().orElse(null); | ||||
| 	} | ||||
| 	 | ||||
| 	public List<ClanHall> getFreeAuctionableHall() | ||||
| 	{ | ||||
| 		return _clanHalls.values().stream().filter(ch -> (ch.getType() == ClanHallType.AUCTIONABLE) && (ch.getOwner() == null)).sorted(Comparator.comparingInt(ClanHall::getResidenceId)).collect(Collectors.toList()); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of ClanHallData. | ||||
| 	 * @return single instance of ClanHallData | ||||
| 	 */ | ||||
| 	public static ClanHallData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder._instance; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ClanHallData _instance = new ClanHallData(); | ||||
| 	} | ||||
| } | ||||
| @@ -0,0 +1,168 @@ | ||||
| /* | ||||
|  * This file is part of the L2J Mobius project. | ||||
|  *  | ||||
|  * 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.l2jmobius.gameserver.data.xml.impl; | ||||
|  | ||||
| import java.io.File; | ||||
| import java.util.ArrayList; | ||||
| import java.util.Collection; | ||||
| import java.util.List; | ||||
| import java.util.Map; | ||||
| import java.util.concurrent.ConcurrentHashMap; | ||||
| import java.util.logging.Logger; | ||||
|  | ||||
| import org.w3c.dom.Document; | ||||
| import org.w3c.dom.NamedNodeMap; | ||||
| import org.w3c.dom.Node; | ||||
|  | ||||
| import com.l2jmobius.commons.util.IGameXmlReader; | ||||
| import com.l2jmobius.commons.util.IXmlReader; | ||||
| import com.l2jmobius.gameserver.enums.ClanRewardType; | ||||
| import com.l2jmobius.gameserver.model.holders.ItemHolder; | ||||
| import com.l2jmobius.gameserver.model.holders.SkillHolder; | ||||
| import com.l2jmobius.gameserver.model.pledge.ClanRewardBonus; | ||||
|  | ||||
| /** | ||||
|  * @author UnAfraid | ||||
|  */ | ||||
| public class ClanRewardData implements IGameXmlReader | ||||
| { | ||||
| 	private static final Logger LOGGER = Logger.getLogger(ClanRewardData.class.getName()); | ||||
| 	private final Map<ClanRewardType, List<ClanRewardBonus>> _clanRewards = new ConcurrentHashMap<>(); | ||||
| 	 | ||||
| 	protected ClanRewardData() | ||||
| 	{ | ||||
| 		load(); | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void load() | ||||
| 	{ | ||||
| 		parseDatapackFile("config/ClanReward.xml"); | ||||
| 		for (ClanRewardType type : ClanRewardType.values()) | ||||
| 		{ | ||||
| 			LOGGER.info(getClass().getSimpleName() + ": Loaded: " + (_clanRewards.containsKey(type) ? _clanRewards.get(type).size() : 0) + " rewards for " + type); | ||||
| 		} | ||||
| 	} | ||||
| 	 | ||||
| 	@Override | ||||
| 	public void parseDocument(Document doc, File f) | ||||
| 	{ | ||||
| 		forEach(doc.getFirstChild(), IXmlReader::isNode, listNode -> | ||||
| 		{ | ||||
| 			switch (listNode.getNodeName()) | ||||
| 			{ | ||||
| 				case "membersOnline": | ||||
| 				{ | ||||
| 					parseMembersOnline(listNode); | ||||
| 					break; | ||||
| 				} | ||||
| 				case "huntingBonus": | ||||
| 				{ | ||||
| 					parseHuntingBonus(listNode); | ||||
| 					break; | ||||
| 				} | ||||
| 			} | ||||
| 		}); | ||||
| 	} | ||||
| 	 | ||||
| 	private void parseMembersOnline(Node node) | ||||
| 	{ | ||||
| 		forEach(node, IXmlReader::isNode, memberNode -> | ||||
| 		{ | ||||
| 			if ("players".equalsIgnoreCase(memberNode.getNodeName())) | ||||
| 			{ | ||||
| 				final NamedNodeMap attrs = memberNode.getAttributes(); | ||||
| 				final int requiredAmount = parseInteger(attrs, "size"); | ||||
| 				final int level = parseInteger(attrs, "level"); | ||||
| 				final ClanRewardBonus bonus = new ClanRewardBonus(ClanRewardType.MEMBERS_ONLINE, level, requiredAmount); | ||||
| 				forEach(memberNode, IXmlReader::isNode, skillNode -> | ||||
| 				{ | ||||
| 					if ("skill".equalsIgnoreCase(skillNode.getNodeName())) | ||||
| 					{ | ||||
| 						final NamedNodeMap skillAttr = skillNode.getAttributes(); | ||||
| 						final int skillId = parseInteger(skillAttr, "id"); | ||||
| 						final int skillLevel = parseInteger(skillAttr, "level"); | ||||
| 						bonus.setSkillReward(new SkillHolder(skillId, skillLevel)); | ||||
| 					} | ||||
| 				}); | ||||
| 				_clanRewards.computeIfAbsent(bonus.getType(), key -> new ArrayList<>()).add(bonus); | ||||
| 			} | ||||
| 		}); | ||||
| 	} | ||||
| 	 | ||||
| 	private void parseHuntingBonus(Node node) | ||||
| 	{ | ||||
| 		forEach(node, IXmlReader::isNode, memberNode -> | ||||
| 		{ | ||||
| 			if ("hunting".equalsIgnoreCase(memberNode.getNodeName())) | ||||
| 			{ | ||||
| 				final NamedNodeMap attrs = memberNode.getAttributes(); | ||||
| 				final int requiredAmount = parseInteger(attrs, "points"); | ||||
| 				final int level = parseInteger(attrs, "level"); | ||||
| 				final ClanRewardBonus bonus = new ClanRewardBonus(ClanRewardType.HUNTING_MONSTERS, level, requiredAmount); | ||||
| 				forEach(memberNode, IXmlReader::isNode, itemsNode -> | ||||
| 				{ | ||||
| 					if ("item".equalsIgnoreCase(itemsNode.getNodeName())) | ||||
| 					{ | ||||
| 						final NamedNodeMap itemsAttr = itemsNode.getAttributes(); | ||||
| 						final int id = parseInteger(itemsAttr, "id"); | ||||
| 						final int count = parseInteger(itemsAttr, "count"); | ||||
| 						bonus.setItemReward(new ItemHolder(id, count)); | ||||
| 					} | ||||
| 				}); | ||||
| 				_clanRewards.computeIfAbsent(bonus.getType(), key -> new ArrayList<>()).add(bonus); | ||||
| 			} | ||||
| 		}); | ||||
| 	} | ||||
| 	 | ||||
| 	public List<ClanRewardBonus> getClanRewardBonuses(ClanRewardType type) | ||||
| 	{ | ||||
| 		return _clanRewards.get(type); | ||||
| 	} | ||||
| 	 | ||||
| 	public ClanRewardBonus getHighestReward(ClanRewardType type) | ||||
| 	{ | ||||
| 		ClanRewardBonus selectedBonus = null; | ||||
| 		for (ClanRewardBonus currentBonus : _clanRewards.get(type)) | ||||
| 		{ | ||||
| 			if ((selectedBonus == null) || (selectedBonus.getLevel() < currentBonus.getLevel())) | ||||
| 			{ | ||||
| 				selectedBonus = currentBonus; | ||||
| 			} | ||||
| 		} | ||||
| 		return selectedBonus; | ||||
| 	} | ||||
| 	 | ||||
| 	public Collection<List<ClanRewardBonus>> getClanRewardBonuses() | ||||
| 	{ | ||||
| 		return _clanRewards.values(); | ||||
| 	} | ||||
| 	 | ||||
| 	/** | ||||
| 	 * Gets the single instance of ClanRewardData. | ||||
| 	 * @return single instance of ClanRewardData | ||||
| 	 */ | ||||
| 	public static ClanRewardData getInstance() | ||||
| 	{ | ||||
| 		return SingletonHolder.INSTANCE; | ||||
| 	} | ||||
| 	 | ||||
| 	private static class SingletonHolder | ||||
| 	{ | ||||
| 		protected static final ClanRewardData INSTANCE = new ClanRewardData(); | ||||
| 	} | ||||
| } | ||||
Some files were not shown because too many files have changed in this diff Show More
		Reference in New Issue
	
	Block a user
	 MobiusDev
					MobiusDev