简短描述:在将一些文本保存到数据库中之前,我需要对其进行消毒。我们有一个包含MVC应用程序中使用的所有模型的项目。有一个Save(T record)
方法可以将实体保存到数据库中。我被要求做的是在将传入对象保存到数据库之前,清除传入对象的字符串类型的每个属性。但是,有一个问题:如何从传入实体中清除自定义数据类型的属性的属性
详细描述:假设我有一个Address类型的类和一个Person类型的类,该类具有Address类型的属性:
public class Address
{
public string StreetName { get; set; }
public string City { get; set; }
public int StreetNumber { get; set; }
}
public class Person
{
public string PersonName { get; set; }
public Address HomeAddress { get; set; }
}
在我使用这个通用方法检索字符串类型的属性之前:
public static void SanitizeObject<TEntity>(TEntity record)
{
var props =
record.GetType().GetProperties()
.Where(x => x.CanRead && x.CanWrite)
.Where(x => x.PropertyType == typeof (string));
foreach (var property in props)
{
string value = Convert.ToString(record.GetPropertyValue(property.Name));
if (!string.IsNullOrEmpty(value))
{
value = Sanitize(value);
record.SetPropertyValue(property.Name, value);
}
}
}
在这种情况下,我将只对Person.PersonName
进行消毒,但是,我还需要对Address.StreetName
和Address.City
进行消毒
有没有一种方法可以编写这个lambda表达式来获得字符串类型的子级属性?我应该如何执行此操作以获取字符串类型的所有属性,以便对它们进行清理?
您似乎需要一个递归方法。
伪代码:
public void SanitizeObject(object some)
{
// We get properties which are of reference types because we don't want to iterate value types (do you want to sanitize an integer...?)
foreach (PropertyInfo property in some.GetType().GetProperties(BindingFlags.Public | BindingFlags.Instance).Where(prop => !prop.PropertyType.IsValueType)
{
if (property.PropertyType == typeof (string))
{
// Do stuff to sanitize the string
}
else
{
// Get properties declared in the concrete class (skip inherited members)
var properties = property.DeclaringType.GetProperties(BindingFlags.DeclaredOnly | BindingFlags.Public | BindingFlags.Instance);
// Does the property type has properties?
if (properties != null && properties.Length > 0)
{
// This gets the custom object and starts a recursion to sanitize its string properties if the object have string properties, of course...
SanitizeObject(property.GetValue(some));
}
}
}
}
请注意,我删除了泛型参数。我相信,由于您将使用反射来对属性进行消毒,因此使用泛型根本没有任何好处。使用这种方法,您将能够清除任何对象,而不是只支持实体类型。