有没有办法在 C# 中存储指向不可变类型(如字符串)的指针?如何执行:Instance1.SomeFunction(out MyString);
,并在 Instance1 中存储指向 MyString 的指针?
有没有办法在 C# 中存储指向不可变类型(如字符串)的指针?如何执行:Instance1.SomeFunction(out MyString);
,并在 Instance1 中存储指向 MyString 的指针?
使用此类作为指针(注意:未经测试的记事本代码,可能需要一些修复):
public class Box<T> {
public Box(T value) { this.Value = value; }
public T Value { get; set; }
public static implicit operator T(Box<T> box) {
return box.Value;
}
}
例如,
public void Test() {
Box<int> number = new Box<int>(10);
Box<string> text = new Box<string>("PRINT \"Hello, world!\"");
Console.Write(number);
Console.Write(" ");
Console.WriteLine(text);
F1(number, text);
Console.Write(number);
Console.Write(" ");
Console.WriteLine(text);
Console.ReadKey();
}
void F1(Box<int> number, Box<string> text) {
number.Value = 10;
text.Value = "GOTO 10";
}
应该输出
10 PRINT "Hello, world!"
20 GOTO 10
关于提问者的回答,有什么问题:
class Program
{
static void Main()
{
string str = "asdf";
MakeNull(ref str);
System.Diagnostics.Debug.Assert(str == null);
}
static void MakeNull(ref string s)
{
s = null;
}
}
好的,我找到了另一个部分解决我的问题的方法。如果您希望某些 ref/out-arguments 具有空值,则可以使用重载:
void Test()
{
string ret1 = "", ret2 = "";
SomeFunction(ref ret1, ref ret2);
SomeFunction(null, ref ret2);
SomeFunction(ref ret1, null);
SomeFunction(null,null);
}
string null_string = "null";
void SomeFunction(ref string ret1,ref string ret2)
{
if( ret1!=null_string )
ret1 = "ret 1";
if( ret2!=null_string )
ret2 = "ret 2";
}
// Additional overloads, to support null ref arguments
void SomeFunction(string ret1,ref string ret2)
{
Debug.Assert(ret1==null);
SomeFunction(null_string,ret2);
}
void SomeFunction(ref string ret1,string ret2)
{
Debug.Assert(ret2==null);
SomeFunction(ret1,null_string);
}
void SomeFunction(string ret1,string ret2)
{
Debug.Assert(ret1==null&&ret2==null);
SomeFunction(null_string,null_string);
}
我一直在与 C# 中的指针斗争一段时间,并且对缺乏选项感到惊讶。在 C# 中处理指针和指针参数时,您会遇到各种晦涩难懂的障碍:
我最近发现的非常简洁的解决方案,而且这篇文章的原因是:
void Test()
{
string ret = "";
SomeFunction(a=>ret=a);
}
void SomeFunction(string_ptr str)
{
str("setting string value");
}
delegate void string_ptr(string a);