當前位置: 首頁>>代碼示例>>Java>>正文


Java ClientConnectionEvent類代碼示例

本文整理匯總了Java中org.spongepowered.api.event.network.ClientConnectionEvent的典型用法代碼示例。如果您正苦於以下問題:Java ClientConnectionEvent類的具體用法?Java ClientConnectionEvent怎麽用?Java ClientConnectionEvent使用的例子?那麽, 這裏精選的類代碼示例或許可以為您提供幫助。


ClientConnectionEvent類屬於org.spongepowered.api.event.network包,在下文中一共展示了ClientConnectionEvent類的15個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Java代碼示例。

示例1: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(ClientConnectionEvent event)
{

    if(event.getCause().root() instanceof Player)
    {
        Player player = (Player) event.getCause().root();

        if(PowerService.checkIfPlayerExists(player.getUniqueId()))
        {
            PowerService.increasePower(player.getUniqueId());
            return;
        }
        else
        {
            //Create player file and set power.
            PowerService.addPlayer(player.getUniqueId());
            PlayerService.setPlayerChunkPosition(player.getUniqueId(), player.getLocation().getChunkPosition());
            return;
        }

    }
}
 
開發者ID:Aquerr,項目名稱:EagleFactions,代碼行數:24,代碼來源:PlayerJoinListener.java

示例2: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(ClientConnectionEvent.Join event, @Root Player player) {
	Date now = new Date(java.util.Date.from(Instant.now()).getTime());
	UserData userData = dataStore.getOrCreateUserData(player);

	int index[] = new int[1];
	dataStore.getPlayerRegions(player.getUniqueId()).forEach(region -> {
		if (region.getType() == LoadedRegion.ChunkType.PERSONAL)
			region.forceChunks();
		index[0]++;
	});

	logger.info(String.format("Loaded %s chunks for %s", index[0], player.getName()));

	// Update the userData in case it's an existing userData
	dataStore.getOrCreateUserData(player).setLastSeen(now).update();

	database.saveUserData(userData);
}
 
開發者ID:DevOnTheRocks,項目名稱:StickyChunk,代碼行數:20,代碼來源:PlayerConnectionListener.java

示例3: onPlayerLeave

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerLeave(ClientConnectionEvent.Disconnect event, @Root Player player) {
	Date now = new Date(java.util.Date.from(Instant.now()).getTime());
	UserData userData = dataStore.getOrCreateUserData(player);

	int index[] = new int[1];
	index[0] = 0;
	dataStore.getPlayerRegions(player.getUniqueId()).forEach(region -> {
		if (region.getType() == LoadedRegion.ChunkType.PERSONAL) {
			region.unForceChunks();
			index[0]++;
		}
	});

	logger.info(String.format("Unloaded %s chunks for %s", index[0], player.getName()));

	// Update the userData in case it's an existing userData
	dataStore.getOrCreateUserData(player).setLastSeen(now).update();
	database.saveUserData(userData);
}
 
開發者ID:DevOnTheRocks,項目名稱:StickyChunk,代碼行數:21,代碼來源:PlayerConnectionListener.java

示例4: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(ClientConnectionEvent.Join event, @Root Player player) {
    if (!player.hasPermission("iplog.bypasslogging")) {
        final Storage storage = IPLog.getPlugin().getStorage();

        final InetAddress ip = player.getConnection().getAddress().getAddress();
        final UUID uuid = player.getUniqueId();
        final LocalDateTime time = LocalDateTime.now();

        if (storage.isPresent(ip, uuid)) {
            storage.updateConnection(ip, uuid, time);
        } else {
            storage.addConnection(ip, uuid, time);
        }
    }
}
 
開發者ID:ichorpowered,項目名稱:iplog,代碼行數:17,代碼來源:JoinListener.java

示例5: joined

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener(order=Order.FIRST)
public void joined(ClientConnectionEvent.Join event) {
	Player player = event.getTargetEntity();
	
	Collection<ProfileProperty> props = player.getProfile().getPropertyMap().get("language");
	Locale checkload = null;
	for (ProfileProperty prop : props)
		if (prop.getName().equalsIgnoreCase("language")) { 
			playerLang.put(player.getProfile().getUniqueId(), checkload=Locale.forLanguageTag(prop.getValue().replace('_', '-')));
			break;
		}
	
	//use geo location in the future? player.getLocale seems to stick to en_US
	if (checkload==null)
		playerLang.put(player.getProfile().getUniqueId(), checkload=player.getLocale());
	
	loadLang(checkload);
}
 
開發者ID:DosMike,項目名稱:LangSwitch,代碼行數:19,代碼來源:LangSwitch.java

示例6: onJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onJoin(ClientConnectionEvent.Join e){
	Player p = e.getTargetEntity();

	if (!UChat.get().getConfig().root().general.persist_channels){
		UChat.get().getDefChannel().addMember(p);
	}

	if (UChat.get().getUCJDA() != null){
		UChat.get().getUCJDA().sendRawToDiscord(UChat.get().getLang().get("discord.join").replace("{player}", p.getName()));
		if (UChat.get().getConfig().root().discord.update_status){
			UChat.get().getUCJDA().updateGame(UChat.get().getLang().get("discord.game").replace("{online}", String.valueOf(Sponge.getServer().getOnlinePlayers().size())));
		}
	}
	if (UChat.get().getConfig().root().general.spy_enabled_onjoin && p.hasPermission("uchat.cmd.spy") && !UChat.isSpy.contains(p.getName())){
		UChat.isSpy.add(p.getName());
		UChat.get().getLang().sendMessage(p, "cmd.spy.enabled");
	}
}
 
開發者ID:FabioZumbi12,項目名稱:UltimateChat,代碼行數:20,代碼來源:UCListener.java

示例7: onClientAuthMonitor

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener(order = Order.LAST)
@IsCancelled(Tristate.UNDEFINED)
public void onClientAuthMonitor(ClientConnectionEvent.Auth e) {
    /* Listen to see if the event was cancelled after we initially handled the connection
       If the connection was cancelled here, we need to do something to clean up the data that was loaded. */

    // Check to see if this connection was denied at LOW.
    if (this.deniedAsyncLogin.remove(e.getProfile().getUniqueId())) {

        // This is a problem, as they were denied at low priority, but are now being allowed.
        if (e.isCancelled()) {
            this.plugin.getLog().severe("Player connection was re-allowed for " + e.getProfile().getUniqueId());
            e.setCancelled(true);
        }
    }
}
 
開發者ID:lucko,項目名稱:LuckPerms,代碼行數:17,代碼來源:SpongeConnectionListener.java

示例8: onClientLogin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener(order = Order.FIRST)
@IsCancelled(Tristate.UNDEFINED)
public void onClientLogin(ClientConnectionEvent.Login e) {
    /* Called when the player starts logging into the server.
       At this point, the users data should be present and loaded.
       Listening on LOW priority to allow plugins to further modify data here. (auth plugins, etc.) */

    final GameProfile player = e.getProfile();

    if (this.plugin.getConfiguration().get(ConfigKeys.DEBUG_LOGINS)) {
        this.plugin.getLog().info("Processing login event for " + player.getUniqueId() + " - " + player.getName());
    }

    final User user = this.plugin.getUserManager().getIfLoaded(this.plugin.getUuidCache().getUUID(player.getUniqueId()));

    /* User instance is null for whatever reason. Could be that it was unloaded between asyncpre and now. */
    if (user == null) {
        this.deniedLogin.add(player.getUniqueId());

        this.plugin.getLog().warn("User " + player.getUniqueId() + " - " + player.getName() + " doesn't have data pre-loaded. - denying login.");
        e.setCancelled(true);
        e.setMessageCancelled(false);
        //noinspection deprecation
        e.setMessage(TextSerializers.LEGACY_FORMATTING_CODE.deserialize(Message.LOADING_ERROR.asString(this.plugin.getLocaleManager())));
    }
}
 
開發者ID:lucko,項目名稱:LuckPerms,代碼行數:27,代碼來源:SpongeConnectionListener.java

示例9: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(final ClientConnectionEvent.Join event) {
    Player player = event.getTargetEntity();

    // Create/load config
    Bedrock.getPlayerConfigManager().loadPlayer(player);

    // Is brand new?
    if (player.get(Keys.FIRST_DATE_PLAYED).get().equals(player.get(Keys.LAST_DATE_PLAYED).get())) {
        // Force spawn position because vanilla has a "fuzz" radius around spawn
        Location<World> spawn = player.getWorld().getLocation(player.getWorld().getProperties().getSpawnPosition());

        player.setLocation(spawn);

        MessageChannel.TO_ALL.send(Text.of(TextColors.GOLD, "Welcome ", TextColors.LIGHT_PURPLE,
            player.getName(),TextColors.GOLD, " to DHMC!"));
    }
}
 
開發者ID:prism,項目名稱:Bedrock,代碼行數:19,代碼來源:JoinListener.java

示例10: onPlayerQuit

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerQuit(final ClientConnectionEvent.Disconnect event) {
    // Skip if Player isn't online. Banned, non-whitelisted, etc players trigger Disconnect too
    if (!Bedrock.getGame().getServer().getOnlinePlayers().contains(event.getTargetEntity())) {
        event.setMessageCancelled(true);
        return;
    }

    // AFK
    Bedrock.getAFKManager().clear(event.getTargetEntity());

    // Config
    Bedrock.getPlayerConfigManager().unload(event.getTargetEntity());

    // Jail
    Bedrock.getJailManager().clear(event.getTargetEntity());

    // Messaging
    Bedrock.getMessageManager().clear(event.getTargetEntity());
}
 
開發者ID:prism,項目名稱:Bedrock,代碼行數:21,代碼來源:DisconnectListener.java

示例11: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(ClientConnectionEvent.Join event) {
	Player player = event.getTargetEntity();
	
	NamelessPlugin.LOGIN_TIME.put(player.getUniqueId(), System.currentTimeMillis());

	NamelessPlugin.getGame().getScheduler().createAsyncExecutor(NamelessPlugin.getInstance()).execute(() -> {
		NamelessPlayer namelessPlayer = new NamelessPlayer(player.getUniqueId(), NamelessPlugin.baseApiURL);
		if (namelessPlayer.exists()) {
			if (namelessPlayer.isValidated()) {
				// Only show notifications if the player has validated their account
				userGetNotifications(player);
			} else {
				// If the player has not validated their account they get informed.
				player.sendMessage(Message.ACCOUNT_NOT_VALIDATED.getMessage());
			}
			
			userGroupSync(player);
		}
	});
}
 
開發者ID:NamelessMC,項目名稱:Nameless-Plugin,代碼行數:22,代碼來源:PlayerLogin.java

示例12: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener
public void onPlayerJoin(ClientConnectionEvent.Join event){
	Player player = event.getTargetEntity();

    if(!plugin.getAPIUrl().isEmpty()){
	    try {
			userFileCheck(player);
			userNameCheck(player);
		} catch (IOException e) {
			e.printStackTrace();
		}
	    userGetNotification(player);
	    userGroupSync(player);
	
   }
}
 
開發者ID:NamelessMC,項目名稱:Nameless-Plugin,代碼行數:17,代碼來源:PlayerEventListener.java

示例13: onPlayerQuit

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener(order = Order.POST)
public void onPlayerQuit(ClientConnectionEvent.Disconnect event) {
    Optional<Challenger> ch = CommonCore.getChallenger(event.getTargetEntity().getUniqueId());
    if (ch.isPresent()) {
        // store the player to disk so their inventory and location can be popped later
        ((InfernoRound) ch.get().getRound()).removeChallenger(ch.get(), true, true);

        CommonPlayerHelper.setOfflineFlag(event.getTargetEntity().getUniqueId());
    }

    for (Minigame mg : CommonCore.getMinigames().values()) {
        if (((InfernoMinigame) mg).getLobbyWizardManager().hasPlayer(event.getTargetEntity().getUniqueId())) {
            ((InfernoMinigame) mg).getLobbyWizardManager().removePlayer(event.getTargetEntity().getUniqueId());
            break;
        }
    }
}
 
開發者ID:caseif,項目名稱:Inferno,代碼行數:18,代碼來源:PlayerConnectionListener.java

示例14: onPlayerJoin

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
@Listener(order=Order.FIRST)
public void onPlayerJoin(final ClientConnectionEvent.Join event) {		
	EPlayer player = this.plugin.getEServer().getEPlayer(event.getTargetEntity());
	
	// Corrige bug
	player.sendTitle(Title.CLEAR);
	player.getTabList().setHeaderAndFooter(null, null);
	
	this.plugin.getManagerService().getEScoreBoard().addPlayer(player);

	// Newbie
	if (player.getFirstDatePlayed() == player.getLastDatePlayed()) {
		player.setSpawnNewbie(true);
		player.setTransform(player.getSpawn());
	}
}
 
開發者ID:EverCraft,項目名稱:EverAPI,代碼行數:17,代碼來源:EAListener.java

示例15: onClientConnectionEvent

import org.spongepowered.api.event.network.ClientConnectionEvent; //導入依賴的package包/類
/**
 * Supprime le joueur de la liste
 */
@Listener
public void onClientConnectionEvent(final ClientConnectionEvent.Disconnect event, @Getter("getTargetEntity") Player player_sponge) {
	EPlayer player = this.plugin.getEverAPI().getEServer().getEPlayer(event.getTargetEntity());
		
	// Jail
	Optional<SanctionJail> optSanction = player.getJail();
	if (optSanction.isPresent()) {
		Optional<Jail> jail = optSanction.get().getJail();
		if (jail.isPresent() && player.getBack().isPresent()) {
			player.setTransform(player.getBack().get());
		}
	}
	
	this.plugin.getSanctionService().removePlayer(event.getTargetEntity().getUniqueId());
}
 
開發者ID:EverCraft,項目名稱:EverSanctions,代碼行數:19,代碼來源:ESListener.java


注:本文中的org.spongepowered.api.event.network.ClientConnectionEvent類示例由純淨天空整理自Github/MSDocs等開源代碼及文檔管理平台,相關代碼片段篩選自各路編程大神貢獻的開源項目,源碼版權歸原作者所有,傳播和使用請參考對應項目的License;未經允許,請勿轉載。