Использование строки в качестве параметра типа при вызове конструктора - PullRequest
0 голосов
/ 28 мая 2020

Я пытаюсь создать тип на основе строкового параметра и передать его в параметр типа конструктора. Это становится довольно неприятно, если просто проверять его с помощью операторов if, и я не знаю, как сделать это программно / в общем.

Я пробовал с отражением, но это возвращает только объект и передает объект в < T> явно не работает.

Есть ли у кого-нибудь идеи, как решить эту проблему более тщательно и без тысяч операторов if?

Создание объекта выглядит так:

                if (Options.Input1Type == "int" && Options.Output1Type == "int") return BlockBuilder.Build<int, int>(Kind, Options, TransformToSelf);
                if (Options.Input1Type == "bool" && Options.Output1Type == "bool") return BlockBuilder.Build<bool, bool>(Kind, Options, TransformToSelf);
                if (Options.Input1Type == "string" && Options.Output1Type == "string") return BlockBuilder.Build<string, string>(Kind, Options, TransformToSelf);

                if (Options.Input1Type == "bool" && Options.Output1Type == "int") return BlockBuilder.Build<bool, int>(Kind, Options, TransformToInt);
                if (Options.Input1Type == "bool" && Options.Output1Type == "string") return BlockBuilder.Build<bool, string>(Kind, Options, TransformToString);

                if (Options.Input1Type == "int" && Options.Output1Type == "bool") return BlockBuilder.Build<int, bool>(Kind, Options, TransformToBool);
                if (Options.Input1Type == "int" && Options.Output1Type == "string") return BlockBuilder.Build<int, string>(Kind, Options, TransformToString);

                if (Options.Input1Type == "string" && Options.Output1Type == "int") return BlockBuilder.Build<string, int>(Kind, Options, TransformToInt);
                if (Options.Input1Type == "string" && Options.Output1Type == "bool") return BlockBuilder.Build<string, bool>(Kind, Options, TransformToBool);

BlockBuilder выглядит так:

public static IDataflowBlock Build<TIn, TOut>(string kind, BlockOptions blockOptions, Func<TIn, TOut> singleOutputExecutionFunction = null, Func<TIn, IEnumerable<TOut>> multipleOutputExecutionFunction = null)
    {
        if (singleOutputExecutionFunction == null && multipleOutputExecutionFunction == null)
            throw new ArgumentException("Missing function to execute");

        Enum.TryParse(kind, out TransformationBlocks Kind);

        switch (Kind)
        {
            case TransformationBlocks.Undefined:
                throw new ArgumentException("No block type was specified");
            case TransformationBlocks.TransformBlock:
                return new TransformBlock<TIn, TOut>(param => { return singleOutputExecutionFunction(param); }, new ExecutionDataflowBlockOptions()
                {
                    MaxMessagesPerTask = blockOptions.MaxMessagesPerTask,
                    BoundedCapacity = blockOptions.BoundedCapacity,
                    MaxDegreeOfParallelism = blockOptions.MaxDegreeOfParallelism,
                });
            case TransformationBlocks.TransformManyBlock:
                return new TransformManyBlock<TIn, TOut>(param => { return multipleOutputExecutionFunction(param); }, new ExecutionDataflowBlockOptions()
                {
                    MaxMessagesPerTask = blockOptions.MaxMessagesPerTask,
                    BoundedCapacity = blockOptions.BoundedCapacity,
                    MaxDegreeOfParallelism = blockOptions.MaxDegreeOfParallelism,
                });
            default:
                return default;
        }
    }

А делегаты / функции выглядят так:

    private static T TransformToSelf<T>(T obj)
    {
        return obj;
    }

    private static string TransformToString<T>(T obj)
    {
        return Convert.ToString(obj);
    }

    private static int TransformToInt<T>(T obj)
    {
        return Convert.ToInt32(obj);
    }

    private static bool TransformToBool<T>(T obj)
    {
        return Convert.ToBoolean(obj);
    }

1 Ответ

3 голосов
/ 28 мая 2020

Это непросто, но выполнимо.

Если вы можете изменить тип Input1Type и Input2Type на System.Type, а не на строку, это будет намного проще.

Если нет, тогда я предлагаю вам создать функцию сопоставления, как это было предложено @neil, которая сопоставляет строки с типами, а затем использовать MethodInfo.MakeGenericType() для вызова вашей функции Build().

См. ниже простой пример MakeGenericType().

using System;
using System.Reflection;

namespace make_generic_type
{
    class Program
    {
        static void Main(string[] args)
        {
            // Normal C# usage
            var host = new Host();
            Console.WriteLine(host.GenericMethod<int, string>("Test"));

            // Use reflection to get type definition
            var unboundMethod = typeof(Host).GetMethod(nameof(Host.GenericMethod));
            // As the method is generic, you need to pass the type parameters in.
            // We do this by binding the type parameters with MethodInfo.MakeGenericMethod();
            var boundMethod = unboundMethod.MakeGenericMethod(new Type[]{ typeof(int), typeof(string) });

            // Now we have a method that we can invoke via reflection as normal
            Console.WriteLine(boundMethod.Invoke(new Host(), new object[]{ "Test"}));
        }


    }

    class Host{
        public string GenericMethod<TIn, TOut>(string kind)
        {
            return $"{typeof(TIn).Name}; {typeof(TOut).Name}; {kind};";
        }
    }
}
...