Ir para conteúdo

[Tutorial] [Util] Como fazer infinitos cooldowns de forma fácil [ZiCooldownUtil]


Sauran

Posts Recomendados

ZiCooldownUtil

Eae pessoas, vim hoje ensinar como fazer Cooldowns (quantos quiser, infinitos) para qualquer coisa que você quiser usando minha util que fiz agora pouco, bem fácil, segue o tutorial

 

 

 


Coloque a util em seu plugin: (Leia as anotações no código)

Spoiler

import java.io.File;
import java.io.IOException;
import java.util.HashMap;
import java.util.Map.Entry;

import org.bukkit.configuration.file.FileConfiguration;
import org.bukkit.configuration.file.YamlConfiguration;
import org.bukkit.plugin.java.JavaPlugin;
import org.bukkit.scheduler.BukkitRunnable;

import br.com.ziixs.zimaquinas.util.TimeManager;

/**
 * @author ZiixS (TheDarkPlay
 *         Criado em 22/08/2018
 *         Versão 2.1
 *         Porfavor, não retire os créditos, obrigado xD
 */

public class ZiCooldownUtil {

	private static ZiCooldownUtil inst;
	private HashMap<String, Cooldown> cooldownslist = new HashMap<String, Cooldown>();

	public static ZiCooldownUtil getCooldown() {
		return inst == null ? inst = new ZiCooldownUtil() : inst;
	}

	public Cooldown getCooldownID(String id) {
		return cooldownslist.get(id);
	}

	public void deleteCooldown(String id) {
		cooldownslist.remove(id);
	}

	public Cooldown createCooldown(String id, long seconds) {
		if (!cooldownslist.containsKey(id)) {
			Cooldown cooldown = new Cooldown(id, seconds);
			cooldownslist.put(id, cooldown);
			return cooldown;
		}
		return cooldownslist.get(id);
	}

	public void startVerify(JavaPlugin plugin, int ticks) {
		new BukkitRunnable() {
			@Override
			public void run() {
				if (cooldownslist == null || cooldownslist.isEmpty()) return;

				long time = System.currentTimeMillis();

				for (Entry<String, Cooldown> cooldowns : cooldownslist.entrySet()) {

					Cooldown cooldown = cooldowns.getValue();
					HashMap<String, Long> cool = cooldown.getAllPlayers();

					if (cool.isEmpty()) continue;

					for (Entry<String, Long> uuid : cool.entrySet()) {
						if (uuid.getValue() - time <= 0) {
							cool.remove(uuid.getKey());
						}
					}

				}
			}
		}.runTaskTimer(plugin, 0, ticks);
	}

	public void saveCooldowns(JavaPlugin plugin) throws IOException {

		File coolFile = new File(plugin.getDataFolder(), "cooldowns.yml");

		if (!coolFile.getParentFile().exists()) {
			coolFile.getParentFile().mkdirs();
		}

		if (!coolFile.exists()) {
			coolFile.createNewFile();
		}

		FileConfiguration coolConfig = YamlConfiguration.loadConfiguration(coolFile);
        if (coolConfig.getConfigurationSection("").getKeys(false) != null && if (!coolConfig.getConfigurationSection("").getKeys(false).isEmpty()) {
		    coolConfig.set("", null);
        }

		if (cooldownslist.isEmpty()) return;

		for (Entry<String, Cooldown> cooldowns : cooldownslist.entrySet()) {

			String id = cooldowns.getKey();

			coolConfig.createSection(id);
          
            long time = System.currentTimeMillis();

			for (Entry<String, Long> uuid : cooldowns.getValue().getAllPlayers().entrySet()) {
				coolConfig.set(id + "." + uuid.getKey(), uuid.getValue() - time;
			}
		}

		coolConfig.save(coolFile);
	}

	public void loadCooldowns(JavaPlugin plugin) {
		
		File coolFile = new File(plugin.getDataFolder(), "cooldowns.yml");
		if (!coolFile.exists()) return;
		
		FileConfiguration coolConfig = YamlConfiguration.loadConfiguration(coolFile);
		if (coolConfig == null) return;
		if (coolConfig.getConfigurationSection("").getKeys(false) == null) return;

		long time = System.currentTimeMillis();

		for (String s : coolConfig.getConfigurationSection("").getKeys(false)) {

			Cooldown cooldown = this.getCooldownID(s);
			if (cooldown == null) continue;

			if (coolConfig.getConfigurationSection(s).getKeys(false) == null) continue;

			for (String ss : coolConfig.getConfigurationSection(s).getKeys(false)) {

				if (coolConfig.getLong(s + "." + ss) - time <= 0) continue;

				cooldown.addPlayerLong(ss, coolConfig.getLong(s + "." + ss) + time);
			}
		}
	}

	public final class Cooldown {

		private final String id;
		private final long time;
		private final HashMap<String, Long> cooldowns = new HashMap<String, Long>();

		public Cooldown(String id, long time) {
			this.id = id;
			this.time = time * 1000;
		}

		public String getID() {
			return id;
		}

		public long getTime() {
			return time;
		}

		public void addPlayer(String name) {
			cooldowns.put(name, time + System.currentTimeMillis());
		}

		public void addPlayerLong(String name, long time) {
			cooldowns.put(name, time);
		}

		public void removePlayer(String name) {
			cooldowns.remove(name);
		}

		public boolean hasPlayer(String name) {
			if (cooldowns != null && cooldowns.containsKey(name)) {
				return true;
			}
			return false;
		}

		public long getRemainingLong(String name) {
			if (hasPlayer(name)) {
				return cooldowns.get(name) - System.currentTimeMillis();
			}
			return 0;
		}

		public String getRemainingText(String name) {
			if (hasPlayer(name)) {
				return toYYYYHHmmssS(cooldowns.get(name) - System.currentTimeMillis());
			}
			return null;
		}

		public HashMap<String, Long> getAllPlayers() {
			return cooldowns;
		}
}
      private static void prependTimeAndUnit(StringBuffer timeBuf, long time, String unit) {
        if (time < 1) {
            return;
        }

        if (timeBuf.length() > 0) {
            timeBuf.insert(0, " ");
        }

        timeBuf.insert(0, unit);
        timeBuf.insert(0, time);
    }


    public static String toYYYYHHmmssS(long timeInMillis) {

        if (timeInMillis < 1) {
            return String.valueOf(timeInMillis);
        }

        StringBuffer timeBuf = new StringBuffer();

        // second (1000ms) & above
        long time = timeInMillis / 1000;
        if (time < 1) {
            return "less than 1 second";
        }

        long seconds = time % 60;
        prependTimeAndUnit(timeBuf, seconds, "s");

        // minute(60s) & above
        time = time / 60;
        if (time < 1) {
            return timeBuf.toString();
        }

        long minutes = time % 60;
        prependTimeAndUnit(timeBuf, minutes, "m");

        // hour(60m) & above
        time = time / 60;
        if (time < 1) {
            return timeBuf.toString();
        }

        long hours = time % 24;
        prependTimeAndUnit(timeBuf, hours, "h");

        // day(24h) & above
        time = time / 24;
        if (time < 1) {
            return timeBuf.toString();
        }

        long day = time % 365;
        prependTimeAndUnit(timeBuf, day, "d");

        // year(365d) ...
        time = time / 365;
        if (time < 1) {
            return timeBuf.toString();
        }

        prependTimeAndUnit(timeBuf, time, "y");

        return timeBuf.toString();
    }

}

 


 

 

 


Em sua Main, coloque no onEnable e no onDisable os seguintes códigos: (Leia as anotações no código)

Spoiler

	public void onEnable() {		
		ZiCooldownUtil zcu = ZiCooldownUtil.getCooldown();
		zcu.createCooldown("teste", 100); /* EXEMPLO DE COOLDOWN (NOME E SEGUNDOS DE COOLDOWN) */
		zcu.loadCooldowns(plugin); /* CARREGAR COOLDOWNS DO COOLDOWNS.YML (PLUGIN) (OPCIONAL) */
		zcu.startVerify(plugin, 20); /* INICIAR RUNNABLE PARA VERIFICAR COOLDOWNS (PLUGIN E TICKS PARA UPDATE)*/
	}

	public void onDisable() {
		ZiCooldownUtil zcu = ZiCooldownUtil.getCooldown();
		zcu.saveCooldowns(plugin); /* SALVAR COOLDOWNS EM COOLDOWNS.YML (PLUGIN) (OPCIONAL)*/
	}

 


 

 

 


Exemplo de Cooldown em um comando: (Leia as anotações no código)

Spoiler

import org.bukkit.command.Command;
import org.bukkit.command.CommandExecutor;
import org.bukkit.command.CommandSender;
import org.bukkit.entity.Player;

import br.com.ziixs.codigosteste.ZiCooldownUtil.Cooldown;
import net.md_5.bungee.api.ChatColor;

public class TesteCommand implements CommandExecutor {

	@Override
	public boolean onCommand(CommandSender sender, Command cmd, String label, String[] args) {
		if (cmd.getName().equalsIgnoreCase("teste")) {
			if (sender instanceof Player) {
				Player p = (Player)sender;

				ZiCooldownUtil zcu = ZiCooldownUtil.getCooldown();
				Cooldown cooldown = zcu.getCooldownID("teste"); /* PEGAR UM COOLDOWN */

			/* VERIFICAR SE O JOGADOR ESTÁ NO COOLDOWN */
				if (!cooldown.hasPlayer(p.getName())) {
					p.sendMessage(ChatColor.translateAlternateColorCodes('&', "&cVocê não está em cooldown! Adiconando..."));
					cooldown.addPlayer(p.getName()); /* ADICIONAR COOLDOWN PARA UM JOGADOR */
					p.sendMessage(ChatColor.translateAlternateColorCodes('&', "&aAgora você está em cooldown por mais " + cooldown.getRemainingText(p.getName()))));
					return true;
				} else {
					p.sendMessage(ChatColor.translateAlternateColorCodes('&', "&cVocê está em cooldown por mais " + cooldown.getRemainingText(p.getName())));
					return true;
				}
			}
		}
		return false;
	}
}

 


 

Resultado:

FQcJ1Wl.png

 


 

 

Se tiver algum bug, erro ou alguma sugestão, manda aí! xD

Editado por ZiixS
Versão 2.1 - Fix's
Link para o comentário
Compartilhar em outros sites

Participe da Conversa

Você pode postar agora e se cadastrar mais tarde. Se você tiver uma conta, a class='ipsType_brandedLink' href='https://gamersboard.com.br/login/' data-ipsDialog data-ipsDialog-size='medium' data-ipsDialog-title='Sign In Now'>acesse agora para postar com sua conta.
Observação: sua postagem exigirá aprovação do moderador antes de ficar visível.

Visitante
Responder

×   Você colou conteúdo com formatação.   Remover formatação

  Apenas 75 emoticons são permitidos.

×   Seu link foi incorporado automaticamente.   Exibir como um link em vez disso

×   Seu conteúdo anterior foi restaurado.   Limpar Editor

×   Você não pode colar imagens diretamente. Carregar ou inserir imagens do URL.

Processando...
×
×
  • Criar Novo...