Dictionary <string,object =“”>如何知道值的类型?

时间:2017-04-26 21:37:30

标签: c# dictionary types json.net .net-4.5

考虑以下代码:

JObject obj = JObject.Parse(json);

Dictionary<string,object> dict = new Dictionary<string, object>();

List<string> parameters = new List<string>{"Car", "Truck", "Van"};

foreach (var p in parameters)
{
    JToken token = obj.SelectToken(string.Format("$.results[?(@.paramName == '{0}')]['value']", p));
    dict[p] = token.Value<object>();
}

string jsonOutput = JsonConvert.SerializeObject(dict);

json包含的部分内容:

{
    "paramName": "Car",
    "value": 68.107
},
{
    "paramName": "Truck",
    "value": 48.451
},
{
    "paramName": "Van",
    "value": 798300
}

在调试时,我检查了字典,发现值不是object类型,而是integerfloat等实际数字类型。由于字典被声明为Dictionary<string, object> dict = new Dictionary<string, object>();,我希望值为object类型,并且我需要在使用时进行转换。

JSON输出字符串是{"Car":68.107,"Truck":48.451,"Van":798300}

字典如何知道值的类型以及为什么我得到实际类型而不是基类型object

2 个答案:

答案 0 :(得分:1)

致电时

JsonConvert.SerializeObject(dict);

这需要一个对象,然后计算出类型,并相应地存储它。

因此对于词典条目中的每个项目。它首先检查类型,然后根据其类型对其进行反序列化。

如果你想使用JSON之外的对象,你必须用类似

的东西来检查自己
var o = dict["Car"];

if(o is int) return (int)o; // or whatever you want to do with an int
if(o is decimal) return (decimal)o; // or whatever you want to do with an decimal

答案 1 :(得分:0)

在检查调试器中的实例时,调试器只显示项目.ToString()的输出。运行以下代码:

namespace ConsoleApplication1
{
    public class Program
    {
        private static void Main(string[] args)
        {
            var dic = new Dictionary<string, object>
            {
                { "One", "1" }, { "Two", 2 },
                { "Three", 3.0 }, { "Four", new Person() },
                { "Five", new SimplePerson() },

            };
            foreach (var thisItem in dic)
            {
                // thisItem.Value will show "1", 2, 3, "Test" 
                // and ConsoleApplication1.SimplePerson
                Console.WriteLine($"{ thisItem.Key } : { thisItem.Value }");
            }

            var obj = JsonConvert.SerializeObject(dic);
        }
    }

    public class SimplePerson
    {

    }
    public class Person
    {
        public override string ToString()
        {
            return "Test";
        }
    }
}

将鼠标悬停在this.Value上时,会显示ToString()的结果。所以它将显示以下内容:

"1"
2
3
"Test" // since Person class overrides the ToString()
// since by default when ToString() is called it will print out the object.
ConsoleApplication1.SimplePerson 

<强>序列化

对于序列化,它将产生以下内容:

{
    "One": "1",
    "Two": 2,
    "Three": 3.0,
    "Four": {

    },
    "Five": {

    }
}

它们都被装箱为object类型,但当底层类型是类型的时候。所以在我们的案例中String", Int , Double , Person and SimplePerson`。因此,在序列化期间,它是未装箱的。