[英]Convert members of struct in a list to array
为了处理日志文件中的数据,我将数据读入列表。
当我尝试从列表转换为绘图例程的数组时,遇到了麻烦。
为了便于讨论,假设日志文件包含三个值*-x,y和theta。 在执行文件I / O的例程中,我读取了三个值,将它们分配给一个结构并将该结构添加到PostureList。
绘图例程希望x,y和theta处于单独的数组中。 我的想法是使用ToArray()方法进行转换,但是当我尝试下面的语法时,出现了错误-请在下面的注释中看到错误。 我有另一种方法可以进行转换,但想获得更好方法的建议。
我是C#的新手。 在此先感谢您的帮助。
注意:*实际上,日志文件包含许多不同的信息,这些信息具有不同的有效负载大小。
struct PostureStruct
{
public double x;
public double y;
public double theta;
};
List<PostureStruct> PostureList = new List<PostureStruct>();
private void PlotPostureList()
{
double[] xValue = new double[PostureList.Count()];
double[] yValue = new double[PostureList.Count()];
double[] thetaValue = new double[PostureList.Count()];
// This syntax gives an error:
// Error 1 'System.Collections.Generic.List<TestNameSpace.Test.PostureStruct>'
// does not contain a definition for 'x' and no extension method 'x' accepting a first
// argument of type 'System.Collections.Generic.List<TestNameSpace.Test.PostureStruct>'
// could be found (are you missing a using directive or an assembly reference?)
xValue = PostureList.x.ToArray();
yValue = PostureList.y.ToArray();
thetaValue = PostureList.theta.ToArray();
// I could replace the statements above with something like this but I was wondering if
// if there was a better way or if I had some basic mistake in the ToArray() syntax.
for (int i = 0; i < PostureList.Count(); i++)
{
xValue[i] = PostureList[i].x;
yValue[i] = PostureList[i].y;
thetaValue[i] = PostureList[i].theta;
}
return;
}
您正在尝试直接在列表中引用x。
PostureList.y
你需要像这样的特定成员做
PostureList[0].y
我想您需要从列表中选择所有x。 为此,您可以这样做
xValue = PostureList.Select(x => x.x).ToArray();
您可以使用这种方式将List<PostureStruct>
转换为单个数组:
double[] xValue = PostureList.Select(a => a.x).ToArray();
double[] yValue = PostureList.Select(a => a.y).ToArray();
double[] thetaValue = PostureList.Select(a => a.theta).ToArray();
这就是您要做的所有事情,数组将具有正确的大小(与列表的长度相同)。
您可以通过列表循环 :
double[] xValue = new double[PostureList.Count()];
double[] yValue = new double[PostureList.Count()];
double[] thetaValue = new double[PostureList.Count()];
foreach (int i = 0; i < PostureList.Count; ++i) {
xValue[i] = PostureList[i].x;
yValue[i] = PostureList[i].y;
thetaValue[i] = PostureList[i].theta;
}
...
或使用Linq ,但以不同的方式:
double[] xValue = PostureList.Select(item => item.x).ToArray();
double[] yValue = PostureList.Select(item => item.y).ToArray();
double[] thetaValue = PostureList.Select(item => item.theta).ToArray();
...
声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.