- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我的 bukkit/spigot 插件中有一个自定义事件,它扩展了 PlayerInteractEvent它试图打开玩家周围附近区域的箱子。
当前代码使用此事件来确保没有其他插件(例如悲伤预防)反对玩家能够打开箱子。如果玩家可以打开箱子,我的插件将尝试将元素放入箱子中。如果 setCancelled()
由某个插件(理想情况下)或类(作为解决方法)调用,我想忽略它
来自this question我可以看到要获取我可以使用的类
String callerClassName = new Exception().getStackTrace()[1].getClassName();
String calleeClassName = new Exception().getStackTrace()[0].getClassName();
获取类名。或者我可以在这个调用中使用一些东西:
StackTraceElement[] stElements = Thread.currentThread().getStackTrace();
但是,关于该问题的所有评论都表明,除了这样做之外,可能还有更好的方法。
Bukkit 有更好的方法吗?
作为引用,这是我的自定义玩家交互事件的全部内容:
public class FakePlayerInteractEvent extends PlayerInteractEvent {
public FakePlayerInteractEvent(Player player, Action rightClickBlock, ItemStack itemInHand, Block clickedBlock, BlockFace blockFace) {
super(player, rightClickBlock, itemInHand, clickedBlock, blockFace);
}
}
以及围绕事件使用的代码:
PlayerInteractEvent fakeEvent = AutomaticInventory.getInstance().new FakePlayerInteractEvent(player, Action.RIGHT_CLICK_BLOCK, player.getInventory().getItemInMainHand(), block, BlockFace.UP);
Bukkit.getServer().getPluginManager().callEvent(fakeEvent);
if(!fakeEvent.isCancelled()){ ... do stuff }
最佳答案
问得好!暂时让我忽略刺激的原因这个问题。 Bukkit 并未“发布”确定方法事件取消的来源。然而,你的“评估”方法 Activity 正在步入正轨。
正如您已经知道或怀疑的那样,使用堆栈跟踪并不是一个好的解决方案。它们的生成和描述特定于实现的成本相对较高不一定保证保持不变的细节。一个更好的方法是模仿 Bukkit 调用时使用的事件触发过程callEvent()
。
虽然事件触发过程的实现不能由Bukkit API 多年来一直稳定且未发生变化很多。这是我们过去5年的工作,只需要一名未成年人当 callEvent()
拆分为 callEvent()
/fireEvent()
时进行重构。
我希望能给你整个 EventUtils
辅助类,但是我由于版权问题,不得不对其进行编辑。我确实验证了这一点减少的类(class)通过了适当的单元测试。你或其他人是可以随意使用此代码。它的评论解释了操作更多细节。我应该注意,我们使用 Doxygen,而不是 JavaDoc,文档生成。
public class EventUtils {
/**
* @brief Determine if the given event will be cancelled.
*
* This method emulates Bukkit's SimplePluginManager.fireEvent() to evaluate whether it will
* be cancelled. This is preferred over using callEvent() as this method can limit the scope
* of evaluation to only plugins of interest. Furthermore, this method will terminate as soon
* as the event is cancelled to minimize any *side effects* from plugins further down the event
* chain (e.g. mcMMO). No evaluation will be performed for events that do not
* implement Cancellable.
*
* The given plugin set is interpreted as either an Allow set or a Deny set, as follows:
*
* - \c allowDeny = \c false - Allow mode. Only enabled plugins included in the given plugin
* set will be evaluated.
* - \c allowDeny = \c false - Deny mode. Only enabled plugins *not* included in the given
* plugin set will be evaluated.
*
* @warning Care should be taken when using this method from within a plugin's event handler for
* the same event or event type (e.g. "faked" events). As this may result in an unending
* recursion that will crash the server. To prevent this situation, the event handler should
* (given in order of preference): 1) restrict evaluation to a specific Allow set not including
* its own plugin; or, 2) add its own plugin to a Deny set. See overloaded convenience methods
* for more details.
*
* @param evt event under test
* @param plugins Allow/Deny plugin set
* @param allowDeny \c false - evaluate using an Allow set; or \c true - evaluate using a
* Deny set.
* @return first plugin that cancelled given event; or \c if none found/did
*/
public static Plugin willCancel( Event evt, Set<Plugin> plugins, boolean allowDeny ) {
PluginManager piMgr = Bukkit.getPluginManager();
/*
* 1. From SimplePluginManager.callEvent(). Check thread-safety and requirements as if this
* were a normal event call.
*/
if ( evt.isAsynchronous() ) {
if ( Thread.holdsLock( piMgr ) ) {
throw new IllegalStateException( evt.getEventName()
+ " cannot be triggered asynchronously from inside synchronized code." );
}
if ( Bukkit.isPrimaryThread() ) {
throw new IllegalStateException( evt.getEventName()
+ " cannot be triggered asynchronously from primary server thread." );
}
return fireUntilCancelled( evt, plugins, allowDeny );
}
else {
synchronized ( piMgr ) {
return fireUntilCancelled( evt, plugins, allowDeny );
}
}
}
/**
* @brief See willCancel() for details.
*
* @note Scoped as `protected` method for unit testing without reflection.
*
* @param evt event under test
* @param plugins Allow/Deny plugin set
* @param allowDeny \c false - evaluate using an Allow set; or \c true - evaluate using a
* Deny set.
* @return first plugin that cancelled given event; or \c if none found/did
*/
protected static Plugin fireUntilCancelled( Event evt, Set<Plugin> plugins, boolean allowDeny ) {
/*
* 1. If event cannot be canceled, nothing will cancel it.
*/
if ( !(evt instanceof Cancellable) )
return null;
/*
* 2. Iterate over the event's "baked" event handler list.
*/
HandlerList handlers = evt.getHandlers();
for ( RegisteredListener l : handlers.getRegisteredListeners() ) {
/*
* A. Is associated plugin applicable? If not, move to next listener.
*/
if ( !ofInterest( l.getPlugin(), plugins, allowDeny ) )
continue;
/*
* B. Call registered plugin listener. If event is marked cancelled afterwards, return
* reference to canceling plugin.
*/
try {
l.callEvent( evt );
if ( ((Cancellable) evt).isCancelled() )
return l.getPlugin();
}
catch ( EventException e ) {
/*
* Can be safely ignored as it is only used to nag developer about legacy events
* and similar matters.
*/
}
}
return null;
}
/**
* @brief Determine whether the given plugin is of interest.
*
* This method determines whether the given plugin is of interest. A plugin is of no interest
* if any of the following conditions are met:
*
* - the plugin is disabled
* - \c allowDeny is \c false (allow) and set does not contains plugin
* - \c allowDeny is \c true (deny) and set contains plugin
*
* @note Scoped as `protected` method for unit testing without reflection.
*
* @param plugin plugin to evaluate
* @param plugins plugin allow/deny set
* @param allowDeny \c false validate against allow set; \c true validate against deny set
* @return \c true plugin is of interest; \c false otherwise
*/
protected static boolean ofInterest( Plugin plugin, Set<Plugin> plugins, boolean allowDeny ) {
if ( !plugin.isEnabled() )
return false;
return allowDeny ^ plugins.contains( plugin );
}
}
关于java - 如何查看 bukkit 插件中调用 setCancelled() 的类/插件?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/42570796/
我有一个用 Swift 编写的自定义转换,当呈现的 View 从侧面进入时,被关闭的 View 消失。 现在我想要同样的效果,但我希望呈现的 View 从顶部进入,而被取消的 View 从底部出来。
该方法的预期目的是什么 findBinding(View view) ? 我一直在使用数据绑定(bind)库测试版。 目前还没有针对各个类的官方引用文档,所以我一直在查看源代码以了解我们可以访问哪些方
我试图在遍历 &str 时查看当前位置前面的字符。 let myStr = "12345"; let mut iter = myStr.chars().peekable(); for c in ite
每当我在 Azure 中创建新的 Azure 函数应用时,我都会选择一个存储帐户供其使用。 创建应用后,如何查看/更改存储帐户? 我尝试在门户中浏览,但无法看到可以在哪里配置它。 最佳答案 创建后,您
我想查看读取 QFile 的 QTextStream 的下一个字符,以创建一个高效的标记器。 但是,我没有找到任何令人满意的解决方案。 QFile f("test.txt"); f.open(QIOD
当我旋转手机时, ListView 中选定的项目将被取消选择。这是我的适配器。我只想更改所选项目的颜色(仅是单个选择),当我旋转手机时,我想查看我选择的内容。现在,当我旋转手机时,我看不到所选项目。
我开始编写代码来检查函数的返回值,但我不确定在捕获到一些错误后如何继续。 例如,在 fgets 中: while( fgets( rta, 3, stdin ) == NULL ) {
是否可以获取或创建一个 optional 轮,它以假想的圆圈滚动而不是直接向下(垂直)滚动? 直线链接但想要弯曲 例如就像控件 here ,但车轮是弯曲的? 最佳答案 有没有可能你想要的是一个轮播?
当我尝试为其创建 View 时出现错误:“ View 的 SELECT 在 FROM 子句中包含一个子查询”,但它在普通查询中工作正常。我认为它与我的 WHERE 子句有关,但我不明白为什么或如何修复
在一个类中,我有以下代码: /// [System.Xml.Serialization.XmlElementAttribute("Errors", typeof(ErrorsType))] [Sys
我想显示来自 catch block 的错误(日志)消息。如何在单个屏幕上显示所有消息(堆栈),以便用户了解? 谢谢... 最佳答案 使用 Toast 怎么样? 示例: Toast.makeText(
我有以下屏幕(图像),当按下按钮时显示一个侧面菜单,菜单出现,另外我有一个 uitableview 来显示其他东西 我的问题是,当侧边菜单出现时,uitableview 被调整了大小。 如何保持 ui
invariant violation element type is invalid: expected a string (for built-in components) or a class/
我是新手,正在尝试学习 fork() 和系统调用的功能,现在我正在使用 execvp() 来尝试制作 bash,但我遇到的问题是,当我编写正确的命令时,程序结束,我想循环使用我的 bash,直到有人在
我正在尝试使用 Laravel request validation method 创建一个登录页面 和凭据验证 -> 如果用户未通过身份验证,它将返回错误“密码错误....” 我在两种不同的情况下看
我有一个 .jar 文件,我需要查看 jar 文件的内容。 是否有任何解码器可用于解码 jar 文件。 我也有 solaris 环境,我需要知道什么是 最佳答案 使用jar命令行,即 jar tf j
Git 提供了几种方式可以帮你快速查看提交中哪些文件被改变。 如果你每天使用 Git,应该会提交不少改动。如果你每天和其他人在一个项目中使用 Git,假设 每个人 每天的提
问题 tensor详细数值 不能直接print打印: ? 1
一,uptime 可以查看系统的运行时间 show global status like 'uptime'; 二,利用linux命令查看 Linux 下有个 uptime 可以查看系统的运行时
在所有主流的浏览器中,均能够查看原始的 XML 文件 不要指望 XML 文件会直接显示为 HTML 页面 查看 XML 文件 <?xml version="1.0" e
我是一名优秀的程序员,十分优秀!