我首先要说的是我对flash很新,而Stage的概念对我来说仍然是一个新的东西。
我有以下问题:
在给定的时间我有:
var foo:MyClass() = new Class();
stage.addChild(foo);
...
foo = new myClass();
stage.addChild(object);
所以现在我在舞台上有两个或更多的foo对象。我的变量是一个foo,我需要从舞台上删除它们。
该怎么办? 谢谢
答案 0 :(得分:1)
我想说不要对两个对象使用相同的变量。
也就是说,您可以通过循环遍历所有子项来删除没有唯一引用的对象。在执行此操作时,您应该向后循环,以便在操作它们时计数不会搞乱。我的头顶代码可能不完全正确:
for (var i = stage.numChildren; i > 0; i--) {
stage.remove(stage.getChildAt(i - 1));
}
答案 1 :(得分:1)
虽然两个对象现在肯定存在,但是你已经将foo引用值从一个新的MyClass更改为接下来的。而且,正如您所发现的那样,该参考值==恰好是一个对象。
除了变量名之外,还有很多方法可以捕获对这些对象的引用。 @jhocking正确地指出,您可以使用displayList的children
参数来提供访问权限(毕竟,显示列表只是一个类似于数组的堆栈)。但是,如果您在同一显示列表上下文中有其他项目,则可能会产生问题。
另一个好的选择是将对象推入数组(或向量),您可以在销毁时循环。
var objects:Array = [];
for (var i = 0; i< 10; i++){
var newObject:MyClass = new MyClass();
this.addchild(newObject as DisplayObject);
objects.push(newObject);
}
for (var j = objects.length; j > 0; j--){
this.removeChild(objects[j] as DisplayObject);
}
希望有所帮助 -
答案 2 :(得分:1)
你正在做的是创建一个变量,将它添加到舞台然后丢弃引用,我建议你将引用存储在一个数组中。 在类中,添加一个数组变量来保存它们:
private var _foos:Array = [];
现在,每次创建Foo对象时都可以存储引用:
var foo:MyClass() = new MyClass();
// Add it to the stage
stage.adddChild(foo);
// Store the reference
_foos.push(foo);
foo = new MyClass();
// Add it to the stage
stage.adddChild(foo);
// Store the reference
_foos.push(foo);
如果你想要摆脱它们,只需循环参考数组:
for each (var foo:MyClass in _foos) {
stage.removeChild(foo);
}
// Empty the array
_foos = [];
或者,就像jhocking所说,你可以通过舞台上的所有孩子来看看他们是否是你班级的类型:
for (var i = stage.numChildren-1; i >= 0; i--) {
var child:DisplayObject = stage.getChildAt(i);
if (child is MyClass)
stage.removeChild(child );
}
答案 3 :(得分:-1)
从我所看到的是你没有在舞台上添加2个项目,而是重新使用了1个对象。
// here you instantiated the object
var foo:MyClass() = new Class();
// here you added the object to stage
stage.addChild(foo);
// here you re-instantiated the object leaving it attached to the stage
foo = new myClass();
// because it was already added to the stage you just caused it to move to the top of the display list
stage.addChild(object);
// so with all that being said doing the following code one time
stage.removeChild( foo );
// should remove foo from the stage.