17

我有一种情况,我想做一些类似于在运行时创建属性的 ASP.NET MVC 3 ViewBag 对象所做的事情?还是在编译时?

无论如何,我想知道如何去创建一个具有这种行为的对象?

4

5 回答 5

24

我创造了这样的东西:

public class MyBag : DynamicObject
{
    private readonly Dictionary<string, dynamic> _properties = new Dictionary<string, dynamic>( StringComparer.InvariantCultureIgnoreCase );

    public override bool TryGetMember( GetMemberBinder binder, out dynamic result )
    {
        result = this._properties.ContainsKey( binder.Name ) ? this._properties[ binder.Name ] : null;

        return true;
    }

    public override bool TrySetMember( SetMemberBinder binder, dynamic value )
    {
        if( value == null )
        {
            if( _properties.ContainsKey( binder.Name ) )
                _properties.Remove( binder.Name );
        }
        else
            _properties[ binder.Name ] = value;

        return true;
    }
}

那么你可以像这样使用它:

dynamic bag = new MyBag();

bag.Apples = 4;
bag.ApplesBrand = "some brand";

MessageBox.Show( string.Format( "Apples: {0}, Brand: {1}, Non-Existing-Key: {2}", bag.Apples, bag.ApplesBrand, bag.JAJA ) );

请注意,从未创建过“JAJA”的条目......并且仍然不会引发异常,只是返回 null

希望这可以帮助某人

于 2013-02-10T00:09:26.693 回答
8

在行为方面,ViewBag 的行为与ExpandoObject非常相似,因此可能是您想要使用的。但是,如果您想做自定义行为,您可以继承 DynamicObjectdynamic关键字在使用这些类型的对象时很重要,因为它告诉编译器在运行时而不是编译时绑定方法调用,但是普通旧 clr 类型上的 dynamic 关键字只会避免类型检查并且不会给你对象动态实现类型功能,这就是 ExpandoObject 或 DynamicObject 的用途。

于 2011-04-27T04:58:57.870 回答
7

使用类型的对象dynamic有关更多信息,请参阅本文

于 2011-04-26T23:49:04.313 回答
5

ViewBag声明如下:

dynamic ViewBag = new System.Dynamic.ExpandoObject();
于 2014-12-09T12:13:23.277 回答
4

我想你想要一个匿名类型。请参阅http://msdn.microsoft.com/en-us/library/bb397696.aspx

例如:

var me = new { Name = "Richard", Occupation = "White hacker" };

然后你可以像在普通 C# 中一样获取属性

Console.WriteLine(me.Name + " is a " + me.Occupation);
于 2011-04-26T23:55:08.157 回答