不确定标题中的术语是否正确100%,但是此示例很容易说明我的意思:
class MyClass{
String str = '';
MyClass(this.str);
}
void main() {
MyClass obj1 = MyClass('obj1 initial');
print(obj1.str);
doSomething(obj1);
print(obj1.str);
doSomethingElse(obj1);
print(obj1.str);
}
void doSomething(MyClass obj){
obj.str = 'obj1 new string';
}
void doSomethingElse(MyClass obj){
obj = MyClass('obj1 new object');
}
这将打印
obj1 initial
obj1 new string
obj1 new string
但是,如果我希望doSomethingElse()
实际修改obj1
引用的内容,那么输出将是:
obj1 initial
obj1 new string
obj1 new object
在Dart中这可能吗?如果可以,怎么办?
答案 0 :(得分:1)
该功能存在参考问题,
当您主打doSomethingElse(obj1)
时,
MyObject obj
参数引用 obj1值,
然后obj
是您引用的MyClass('obj1 new objcet')
,
并且您没有在主目录中更改obj1
引用
void doSomethingElse(MyClass obj){ // let's say we gave the parameter obj1
// here obj referencing the obj1 value
obj = MyClass('obj1 new object');
//and then it is referencing the MyClass('obj1 new object') value
//nothing change for obj1 it still referencing the same value
}
您可以返回该对象并像这样引用该对象,
class MyClass {
String str = '';
MyClass(this.str);
}
void main() {
MyClass obj1 = MyClass('obj1 initial');
print(obj1.str);
doSomething(obj1);
print(obj1.str);
obj1 = doSomethingElse();
print(obj1.str);
}
void doSomething(MyClass obj) {
obj.str = 'obj1 new string';
}
MyClass doSomethingElse() {
return MyClass('obj1 new object');
}
答案 1 :(得分:1)
否,Dart不会通过引用传递参数。 (没有C ++的复杂类型系统和规则之类的东西,如果调用者未将参数绑定到变量,则不清楚如何工作。)
您可以改为添加一个间接级别(即,将obj1
放在另一个对象中,例如List
,Map
或您自己的类)。另一种可能是使doSomethingElse
成为嵌套函数,然后它可以直接访问和修改封闭范围中的变量。