我有几个输入结构需要转换为其他结构,所以我可以将它传递给我的方法。
struct Source1
{
public float x1;
public float x2;
public float x3;
}
struct Source2
{
public float x1;
public float x3;
public float x2;
public float x4;
}
struct Target
{
public float x1;
public float x2;
public float x3;
}
我确信源结构有必填字段(类型和名称是重要的)但该字段的偏移量是未知的。源结构也可能包含一些我不需要的额外字段。
如何将所需字段从源结构复制到目标结构。我需要尽快做到。
在C中,有一个非常简单的方法可以解决这类问题。
#define COPY(x, y) \
{\
x.x1 = y.x1;\
x.x2 = y.x2;\
x.x3 = y.x3;\
}
我正在考虑获取字段集合,然后使用其名称作为键来获取字段值,但对我来说它似乎很慢。
答案 0 :(得分:2)
详细介绍implicit operators
的用法,这是一种需要考虑的方法。
一些示例代码:
using System;
namespace Test
{
struct Source1
{
public float x1;
public float x2;
public float x3;
public static implicit operator Target(Source1 value)
{
return new Target() { x1 = value.x1, x2 = value.x2, x3 = value.x3 };
}
}
struct Target
{
public float x1;
public float x2;
public float x3;
}
public class Program
{
static void Main(string[] args)
{
var source = new Source1() { x1 = 1, x2 = 2, x3 = 3 };
Target target = source;
Console.WriteLine(target.x2);
Console.ReadLine();
}
}
}
另一种选择是使用AutoMapper。 虽然性能会变慢。
答案 1 :(得分:0)
看看这个明确的演员
这是源结构。
public struct Source
{
public int X1;
public int X2;
}
这是目标。
public struct Target
{
public int Y1;
public int Y2;
public int Y3;
public static explicit operator Target(Source source)
{
return new Target
{
Y1 = source.X1,
Y2 = source.X2,
Y3 = 0
};
}
}
转换阶段:
static void Main(string[] args)
{
var source = new Source {X1 = 1, X2 = 2};
var target = (Target) source;
Console.WriteLine("Y1:{0} ,Y2{1} ,Y3:{2} ",target.Y1,target.Y2,target.Y3);
Console.Read();
}