-1

ref 和 out 的使用不限于值类型的传递。它们也可以在传递引用时使用。当 ref 或 out 修改引用时,它会导致引用本身通过引用传递。这允许方法更改引用所指的对象。


这部分是什么意思?

当 ref 或 out 修改引用时,它会导致引用本身通过引用传递。这允许方法更改引用所指的对象。

4

2 回答 2

2

这意味着通过使用ref您可以更改变量指向的对象,而不仅仅是对象的内容。

假设您有一个带有ref参数的方法,它替换了一个对象:

public static void Change(ref StringBuilder str) {
   str.Append("-end-");
   str = new StringBuilder();
   str.Append("-start-");
}

当你调用它时,它会改变你调用它的变量:

StringBuilder a = new StringBuilder();
StringBuilder b = a; // copy the reference
a.Append("begin");

// variables a and b point to the same object:

Console.WriteLine(a); // "begin"
Console.WriteLine(b); // "begin"

Change(b);

// now the variable b has changed

Console.WriteLine(a); // "begin-end-"
Console.WriteLine(b); // "-start-"
于 2012-09-04T07:23:18.793 回答
1

你可以这样做:

MyClass myObject = null;
InitializeIfRequired(ref myObject);
// myObject is initialized
...

private void InitializeIfRequired(ref MyClass referenceToInitialize)
{
    if (referenceToInitialize == null)
    {
        referenceToInitialize = new MyClass();
    }
}
于 2012-09-04T07:24:03.920 回答