使用反射并将 C# 转换为 F# 代码

Using reflection and transform C# to F# code

我正在尝试将一些 C# 代码移动到 F#,但我正在努力通过特定方法实现它。缺少使用反射时 Seq 和管道如何正常工作。

这是C#

        public static List<IList<object>> ConvertTTypeToData<T>(IEnumerable<T> exportList)
        {
            var type = typeof(T);
            var exportData = new List<IList<object>>();

            var properties = type.GetProperties(System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Instance);

            foreach (var item in exportList.Where(x => x != null))
            {
                var data = properties.Select(property =>
                {
                    return property.GetValue(item).ToString();                    

                }).ToArray();
                exportData.Add(data);
            }

            return exportData;
        }

不幸的是,这是我目前使用 F# 取得的成果

        member this.ConvertToGoogleRowsData(rows) = 
            let bindingFlags = BindingFlags.Public ||| BindingFlags.Instance

            let prop = typeof(T)

            let properties = prop.GetType().GetProperties(bindingFlags)

            let array = new ResizeArray<'T>()

            let test = rows |> Seq.toList
                             |> Seq.filter (fun x -> x != null )
                             |> Seq.iter (fun item ->
                                    array.Add(properties
                                              |> Seq.map (fun prop -> prop.GetValue(item).ToString())))
    abstract member ConvertToGoogleRowsData :
        rows: 'T seq
            -> obj seq seq

有好心人能帮帮我吗?

非常感谢您的建议和帮助。

谢谢!

即使在 C# 代码中,您也可以将其重写为仅使用 Select 而不是构建临时集合 exportData 并在迭代输入时将结果添加到集合中:

return exportList.Where(x => x != null).Select(item =>
  properties.Select(property => 
    property.GetValue(item).ToString()).ToArray()
)

在 F# 中,您可以使用 Seq 模块中的函数代替 SelectWhere 扩展方法来实现相同的目的。相当于:

let bindingFlags = BindingFlags.Public ||| BindingFlags.Instance
let typ = typeof<'T>
let properties = typ.GetProperties(bindingFlags) |> List.ofSeq  

rows 
|> Seq.filter (fun item -> item <> null)
|> Seq.map (fun item ->
  properties |> List.map (fun prop -> 
    prop.GetValue(item).ToString()) )

根据您想要的结果数据类型,您可能需要插入一些 Seq.toListSeq.toArray 调用,但这取决于您要对结果执行的操作。在上面,结果是 seq<list<string>>,即不可变 F# 字符串列表的 IEnumerable