开发者

C# Reflection - Get field values from a simple class

开发者 https://www.devze.com 2023-04-10 20:06 出处:网络
I have a class: class A { public string a = \"A-val\" , b = \"B-val\"; } I want to print the object members by reflection

I have a class:

class A {
    public string a = "A-val" , b = "B-val";
}

I want to print the object members by reflection

//Object here is necessary.
Object data = new A();
FieldInfo[] fields = data.GetType().GetFields();
String str = "";
foreach(FieldInfo f in fields){
    str += f.Name + " = " + f.GetValue(data) + "\r\n";
}

Here is the desire开发者_如何学Cd result:

a = A-val
b = B-val

Unfortunately this did not work. Please help, thanks.


Once fixed to get rid of the errors (lacking a semi-colon and a bad variable name), the code you've posted does work - I've just tried it and it showed the names and values with no problems.

My guess is that in reality, you're trying to use fields which aren't public. This code:

FieldInfo[] fields = data.GetType().GetFields();

... will only get public fields. You would normally need to specify that you also want non-public fields:

FieldInfo[] fields = data.GetType().GetFields(BindingFlags.Public | 
                                              BindingFlags.NonPublic | 
                                              BindingFlags.Instance);

(I hope you don't really have public fields, after all...)


Remember when you write fields like :

public string VarName{ get; set;}

Then actually you have this code(this is what reflection see) :

private string _varName;
public string get_VarName(){
....
}
public void set_VarName(strig value){
....
}


As @Stanislav say, you must keep in mind the backing fields generated by the compiler for properties. If you want to exclude these fields you can use the following code:

FieldInfo[] fields = data.GetType()
    .GetFields(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance)
    .Where(f => f.GetCustomAttribute<CompilerGeneratedAttribute>() == null)
    .ToArray();
0

精彩评论

暂无评论...
验证码 换一张
取 消