在我的插件代码中,我使用早期绑定实体(通过crmsvcutil生成)。在我的代码中,我使用 MemberExpression 来检索属性的名称。例如,如果我想要启动插件的用户的全名,我会执行以下操作
SystemUser pluginExecutedBy = new SystemUser();
pluginExecutedBy = Common.RetrieveEntity(service
, SystemUser.EntityLogicalName
, new ColumnSet(new string[] {Common.GetPropertyName(() => pluginExecutedBy.FullName)})
, localContext.PluginExecutionContext.InitiatingUserId).ToEntity<SystemUser>();
GetPropertyName 的代码如下
public static string GetPropertyName<T>(Expression<Func<T>> expression)
{
MemberExpression body = (MemberExpression)expression.Body;
return body.Member.Name.ToLower();
}
RetrieveEntity 的代码如下
public static Entity RetrieveEntity(IOrganizationService xrmService, string entityName, ColumnSet columns, Guid entityId)
{
return (Entity)xrmService.Retrieve(entityName, entityId, columns);
}
我的解决方案架构师的评论:
与其像上面那样写代码,不如这样写(硬编码字段的名称 - 或使用结构)。
SystemUser pluginExecutedBy = null;
pluginExecutedBy = Common.RetrieveEntity(service
, SystemUser.EntityLogicalName
, new ColumnSet(new string[] {"fullname"})
, localContext.PluginExecutionContext.InitiatingUserId).ToEntity<SystemUser>();
原因:
- 您的代码在需要它之前不必要地创建了一个对象(因为您
new
在 RetrieveEntity 之前使用关键字实例化该对象以便将它与我的 GetProperty 方法一起使用),这是一种不好的编程习惯。在我的代码中,我从未使用过new
关键字,但仅对其进行强制转换并不会创建新对象。现在,我不是 C# 或 .NET 方面的专家,但我喜欢阅读和尝试不同的东西。因此,我查找了 Microsoft.Xrm.Sdk.dll 并发现 Sdk 中的 ToEntity 实际上确实使用关键字创建了一个新实体new
。 - 如果 Common.Retrieve 返回 null,则您的代码分配了不必要的内存,这将导致性能问题,而我的则不会? 像 C# 这样的托管语言为我“管理内存”,不是吗?
问题
我的代码写得不好?如果是这样,为什么?如果它更好 - 为什么?(我相信它更干净,即使字段名称更改只要重新生成早期绑定的类文件,我就不必重新编写任何代码)
我同意 cast 不会创建新对象,但我的代码是否会不必要地创建对象?
有没有更好的方法(完全不同的第三种方法)来编写代码?
注意:我建议使用 GetPropertyName,因为他在整个代码中都对属性名称进行了硬编码,因此在另一个不使用早期绑定实体的项目中,我使用结构作为属性名称 - 如下所示。我在 CRM 2011 的新工作中完成了这 3 周,但后来发现了MemberExpression的魔力。他正在为他在插件中使用的每个实体编写一个巨大的 cs 文件,我告诉他他不必做任何这些,因为他可以在他的插件中使用我的 GetPropertyName 方法并获取所有需要的字段和这提示了此代码审查评论。通常他不做代码审查。
public class ClientName
{
public struct EntityNameA
{
public const string LogicalName = "new_EntityNameA";
public struct Attributes
{
public const string Name = "new_name";
public const string Status = "new_status";
}
}
}
PS:还是花在分析上的问题/时间不值得?