Как я могу рекурсивно искать свойства в C #, только если эти свойства наследуются от некоторого базового класса? - PullRequest
0 голосов
/ 11 января 2012

Как я могу рекурсивно получить все свойства объекта, только если тип свойства наследуется от некоторого базового класса?

Это была моя попытка:

static IEnumerable<PropertyInfo> FindProperties(object objectTree, Type targetType)
{
    if (objectTree.GetType().IsAssignableFrom(targetType))
    {
        var properties = objectTree.GetType().GetProperties();
        foreach (var property in properties)
        {
            yield return property;
        }

        foreach (var property in FindProperties(properties, targetType))
        {
            yield return property;
        }
    }
}

Чтобы я мог позвонить,

var allPropertiesOfPageTypes = FindProperties(someClass, typeof(Page));

Однако количество возвращаемых свойств всегда равно нулю. Что я делаю не так?

Edit:

Я не уверен, имеет ли это значение, но подклассы являются общими классами:

public abstract class MasterPage<T> : BasePage<T> where T : MasterPage<T>

Что наследует:

public abstract class BasePage<T> : Page where T : BasePage<T>

Вещи, которые наследуются от Master / BasePage, похоже, возвращают false для IsAssignableFrom?

Ответы [ 3 ]

1 голос
/ 11 января 2012

Рекурсировать нужно только тогда, когда у вас есть правильный тип, и вам нужен экземпляр, а не само свойство:

static IEnumerable<PropertyInfo> FindProperties(object objectTree, Type targetType)
{
    if (targetType.IsAssignableFrom(objectTree.GetType()))
    {
        var properties = objectTree.GetType().GetProperties();
        foreach (var property in properties)
        {
            yield return property;

            if (targetType.IsAssignableFrom(property.PropertyType))
            {
                object instance = property.GetValue(objectTree, null);
                foreach (var subproperty in FindProperties(instance, targetType))
                {
                    yield return subproperty;
                }
            }
        }
    }
}
1 голос
/ 11 января 2012

Чтобы проверить, наследуется ли объект от другого класса, вы должны сделать то, что вы делаете:

 if (targetType.IsAssignableFrom(objectTree.GetType()))

это работает аналогично:

Parent o = new Derived();
0 голосов
/ 11 января 2012

Может быть, это может сработать?

public static LinkedPageElement<TElement> GetLinkedElement<TPage, TElement>(Page page, bool verbose = true) where TElement : class
{
    var propInfos = page.GetType().GetProperties();

    // First try to find the property in the current page type
    foreach (var propInfo in propInfos)
    {
        var attributes = propInfo.GetCustomAttributes(typeof(LinkedPageAttribute), true);
        if (attributes.Length == 0) continue;

        var linkedPageAttribute = (from a in attributes where a.GetType() == typeof(LinkedPageAttribute) select a).FirstOrDefault();
        if (linkedPageAttribute == null || !(linkedPageAttribute is LinkedPageAttribute)) continue;

        if ((linkedPageAttribute as LinkedPageAttribute).PageType == typeof(TPage))
        {
            return new LinkedPageElement<TElement>
            {
                Element = propInfo.GetValue(page, null) as TElement,
                AutoClick = (linkedPageAttribute as LinkedPageAttribute).AutoClick
            };
        }
    }

    // Then try to find it in a property
    var containedInProperty = propInfos.Where(x => x.PropertyType.IsSubclassOf(typeof(Page)))
        .Select(x => GetLinkedElement<TPage, TElement>((Page)x.GetValue(page, null), false))
        .FirstOrDefault(x => x != null);

    if (containedInProperty != null) return containedInProperty;

    // you are trying to navigate to a page which cannot be reached from the current page, check to see you have a link with LinkedPage attribute
    if (verbose)
        throw new ArgumentException("You don't have a link to this page {0} from this page {1}".FormatWith(typeof(TPage), page.GetType()));

    return null;
}
...