我目前无法理解为什么下面方法的输出在第二次调用时会有所不同。
/// <summary>
/// Method which given an object will produce the sql string part.
/// </summary>
/// <typeparam name="T">Object type</typeparam>
/// <param name="modelObject">The object to assess</param>
/// <param name="param">true if appending @ (aka parameter)</param>
/// <returns>the string part of the sql.</returns>
public static string GetInsertParamString<T>(T modelObject, bool param = false)
{
//simple stringbuilder to hold the string we will return
StringBuilder str = new StringBuilder();
//loop through each of the proporties of the object
foreach (PropertyInfo prop in modelObject.GetType().GetProperties())
{
//if the value of this object is not null - then add to the string
if (modelObject.GetType().GetProperty(prop.Name)?.GetValue(modelObject, null) != null)
{
//if param == true then add the @ before.
str.Append(param ? "@" + prop.Name : prop.Name).Append(",");
}
}
//return the string.
return str.ToString().Remove(str.Length - 1, 1);
}
我使用以下C#代码行调用该方法:
private static string InsertCrmSql<T>(T obj, string table) => @"INSERT INTO " + table + @" (" + SqlHelper.GetInsertParamString(obj) + @") VALUES (" + SqlHelper.GetInsertParamString(obj) + @")";
这表明该方法使用完全相同的参数调用两次。 注意:为了进行调试,我已从第二次调用中删除了真值,以确保这不会导致问题。
在第一次调用方法后运行In debug时,将返回以下内容:
{wc_id,wc_status,wc_custref,wc_cuname,wc_transid,wc_transtype,wc_reqdate,wc_store,wc_salesman,wc_analysis1,wc_analysis2,wc_analysis3,wc_analysis4,wc_analysis5,wc_analysis6,wc_analysis7,wc_analysis8,wc_analysis9,}
然而,在第二次通话中,发现以下内容:
{wc_analysis1,wc_analysis2,wc_analysis3,wc_analysis4,wc_analysis5,wc_analysis6,wc_analysis7,wc_analysis8,wc_analysis9,wc_id,wc_status,wc_custref,wc_cuname,wc_transid,wc_transtype,wc_reqdate,wc_store,wc_salesman,}
是否有人能够提供和洞察或解释为什么会发生这种情况?
每次运行程序时我都应该添加相同的内容 - 第一个结果,然后是第二个结果
干杯
答案 0 :(得分:4)
这很可能是因为来自Type.GetProperties()
的{{3}}:
GetProperties方法不返回特定属性 订单,例如字母或声明订单。 您的代码不得 取决于返回属性的顺序,因为那样 订单各不相同。
您可能已经注意到 - 两个字符串中的名称相同,只是顺序不同。
因此,您需要按照一致的顺序枚举属性,例如:
foreach (PropertyInfo prop in modelObject.GetType().GetProperties().OrderBy(c => c.Name))