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

How does Dictionary<string, object> know the type of the value?

考虑这段代码:

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

当你打电话给

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

当您在调试器中检查一个实例时,调试器只会向您显示该项目的 .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,PersonandSimplePerson`。因此,在序列化过程中它是拆箱的。