20

除了这个值得怀疑的有用性之外,我想问一下是否有可能按照这些思路做一些事情。

class MyPrimitive {
        String value;
        public String Value {
            get { return value; }
            set { this.value = value; }
        }
}

// Instead of doing this...
MyPrimitive a = new MyPrimitive();
a.Value = "test";
String b = a.Value;

// Isn't there a way to do something like this?
MyPrimitive a = "test";
String b = a;

我喜欢使用属性将原始类型包装到自定义类中,以使getandset方法执行其他操作,例如验证。
因为我经常这样做,所以我认为最好有一个更简单的语法,比如标准原语。
不过,我怀疑这不仅不可行,而且在概念上也可能是错误的。任何见解都将受到欢迎,谢谢。

4

2 回答 2

41

使用值类型 ( ) 并在赋值右侧struct给它一个隐式转换运算符。

struct MyPrimitive
{
    private readonly string value;

    public MyPrimitive(string value)
    {
        this.value = value;
    }

    public string Value { get { return value; } }

    public static implicit operator MyPrimitive(string s)
    {
        return new MyPrimitive(s);
    } 

    public static implicit operator string(MyPrimitive p)
    {
        return p.Value;
    }
}

编辑:使结构不可变,因为 Marc Gravell 是绝对正确的。

于 2009-05-06T21:35:21.860 回答
2

您可以使用隐式强制转换。不推荐,但是:

public static implicit operator string(MyString a) {
    return a.Value;
}
public static implicit operator MyString(string a) {
    return new MyString { value = a; }
}

再次,不好的做法。

于 2009-05-06T21:36:27.957 回答