. net XML序列化器和矩阵
本文关键字:XML 序列化 net | 更新日期: 2023-09-27 18:08:50
我有一个c++/CLI代码包装并在c#项目中使用。我在c++/CLI代码中有一个类,其中包含如下声明的矩阵:
array<double, 2>^ S_to_Box_Matrix;
S_to_Box_Matrix = gcnew array<double, 2>(4, 4);
似乎这个变量是不可序列化的。如何使其可序列化?如果不可能,那么如何将其从序列化中排除(哪个c++/CLI关键字以及要导入哪些库)谢谢。
XmlSerializer
不支持2d数组。解决这个问题最直接的方法是修改c++/cli类,如下所示:
- 用
[XmlIgnore]
标记2d数组 - 引入一个代理属性,将2d数组转换为锯齿数组。
- 用
[XmlArray]
标记锯齿数组属性
#using <System.Xml.dll>
public ref class Array2DTestClass
{
public:
[System::Xml::Serialization::XmlIgnore]
array<double, 2> ^S_to_Box_Matrix;
[System::Xml::Serialization::XmlArray("S_to_Box_Matrix")]
property array<array<double> ^>^ S_to_Box_Matrix_Serializable {
array<array<double> ^>^ get();
System::Void set(array<array<double> ^>^ value);
}
};
与实现array<array<double> ^>^ Array2DTestClass::S_to_Box_Matrix_Serializable::get() {
return ArrayExtensions::ToJaggedArray(this->S_to_Box_Matrix);
}
System::Void Array2DTestClass::S_to_Box_Matrix_Serializable::set(array<array<double> ^>^ value) {
this->S_to_Box_Matrix = ArrayExtensions::To2DArray(value);
}
使用辅助方法:
public ref class ArrayExtensions abstract sealed {
public:
generic<typename T> static array<array<T>^> ^ToJaggedArray(array<T, 2> ^input)
{
if (input == nullptr)
return nullptr;
int nRow = input->GetLength(0);
int nCol = input->GetLength(1);
array<array<T>^> ^output = gcnew array<array<T>^>(nRow);
for (int iRow = 0; iRow < nRow; iRow++)
{
output[iRow] = gcnew array<T>(nCol);
for (int iCol = 0; iCol < nCol; iCol++)
output[iRow][iCol] = input[iRow, iCol];
}
return output;
}
generic<typename T> static array<T, 2> ^To2DArray(array<array<T> ^>^input)
{
if (input == nullptr)
return nullptr;
int nRow = input->Length;
int nCol = 0;
for (int iRow = 0; iRow < nRow; iRow++)
if (input[iRow] != nullptr)
nCol = Math::Max(nCol, input[iRow]->Length);
array<T, 2> ^ output = gcnew array<T, 2>(nRow, nCol);
for (int iRow = 0; iRow < nRow; iRow++)
if (input[iRow] != nullptr)
for (int iCol = 0; iCol < input[iRow]->Length; iCol++)
output[iRow, iCol] = input[iRow][iCol];
return output;
}
};
这样做,我得到的XML看起来像:
<Array2DTestClass xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema"> <S_to_Box_Matrix> <ArrayOfDouble> <double>0</double> <double>1</double> <double>2</double> </ArrayOfDouble> <ArrayOfDouble> <double>3</double> <double>4</double> <double>5</double> </ArrayOfDouble> </S_to_Box_Matrix> </Array2DTestClass>