我一直试图为Bukkit制作枪支插件,而我正试图建立一个爆发火力特征。我有一个包含延迟任务的for循环,在延迟任务内部是创建项目符号的代码。从理论上讲,代码会添加一些项目符号,等待一个项目符号,添加更多项目符号,等待一个项目符号等,直到for循环完成。
public void fire(final Player p, final Gun g) {
for(int i=0; i<shotsPerBurst; i++) {
Bukkit.getServer().getScheduler().scheduleAsyncDelayedTask(plugin, new Runnable() {
public void run() {
for(int i=0; i<bulletsPerShot; i++) {
Bullet b = new Bullet(p, g);
GunsV1.bullets.add(b);
}
}
}, 1L);
}
}
Eclipse要求Player p和Gun g都是最终的,我不知道为什么,当我尝试着火(p,g)时,没有任何反应。如何设置我的代码,以便for循环在循环之间延迟1个刻度运行?
答案 0 :(得分:0)
解决一个问题:
Eclipse要求Player p和Gun g都是最终的,我不知道为什么
您正在将Player p
和Gun g
传递给new Thread
/ new Runnable
,Eclipse会告诉您那些Object
不应该是Thread
修改或更改,因为Runnable
/ {{1}}也在run方法中使用这两个Object(如您所见)。
我建议你直接在这里写下你的问题:http://bukkit.org/forums/plugin-development.5/因为还有开发人员更了解Bukkit Server for Minecraft。
我会尽力找到符合您需求的解决方案 - 但也许您已经尝试在论坛中找到解决方案。
为您找到此链接 - 它可能对您有所帮助:http://www.programcreek.com/java-api-examples/index.php?api=org.bukkit.scheduler.BukkitScheduler
答案 1 :(得分:0)
没有 easy 方法可以延迟运行for
循环,而不会冻结Bukkit的主线程。在这种情况下,最好的办法是使用plugin.getServer().getScheduler().runTaskLater()
:
plugin.getServer().getScheduler().runTaskLater(plugin, new Runnable(){
public void run(){
//shoot the gun
}
},1L);//run after 1 tick
但是,如果你使用它,枪只会发射一枪。要解决此问题,您应该继续运行调度程序:
public static void runTask(){
plugin.getServer().getScheduler().runTaskLater(plugin, new Runnable(){
public void run(){
//shoot the gun
runTask(); //run the task again
}
},1L);//run after 1 tick
}
但是这样,枪会持续发射每一个嘀嗒声,永不停止。因此,您应该计算它运行的次数,并在达到该数量后停止运行任务:
public static void runTask(final int timesLeft){
plugin.getServer().getScheduler().runTaskLater(plugin, new Runnable(){
public void run(){
//shoot the gun
if(timesLeft > 0){
runTask(timesLeft - 1); //run the task again after removing from the times left
}
}
},1L);//run after 1 tick
}
所以,最后,你的循环方法看起来像这样:
public static void fire(final Player player, final Gun gun, final int timesLeft){
plugin.getServer().getScheduler().runTaskLater(plugin, new Runnable(){
public void run(){
Bullet bullet = new Bullet(player, gun);
GunsV1.bullets.add(bullet);
if(timesLeft > 0){
fire(player, gun, timesLeft - 1); //run the task again after removing from the times left
}
}
},1L);//run after 1 tick
}
您可以使用以下方式调用它:
fire(player, gun, shotsPerBurst);
答案 2 :(得分:0)
在尝试了一些较长的延迟并查看插口参考后,我意识到延迟的滴答在下一个任务之前不是滴答,而是直到runnable运行。知道这一点,我能够使用for循环按比例增加延迟的滴答:
public void fire(final Player p, final Gun g) {
for(int i=0; i<shotsPerBurst; i++) {
Bukkit.getServer().getScheduler().scheduleSyncDelayedTask(plugin, new Runnable() {
public void run() {
for(int i=0; i<bulletsPerShot; i++) {
Bullet b = new Bullet(p, g);
GunsV1.bullets.add(b);
}
}
}, i*3);
}
}
现在它在前一个任务之后运行每个任务三个滴答,并在一个爆发中触发