당신은 TechTalk.SpecFlow.Table 클래스의 확장 방법으로이를 구현하고 사용하는 것을 쉽게하기 위해 C#에서 작은 수준의 반사를 이용할 수 :
namespace YourTestProject
{
public static class SpecFlowTableExtensions
{
public static DataTable ToDataTable(this Table table, params Type[] columnTypes)
{
DataTable dataTable = new DataTable();
TableRow headerRow = table.Rows[0];
int headerCellCount = headerRow.Count();
for (int i = 0; i < headerCellCount; i++)
{
string columnName = headerRow[i];
Type columnType = columnTypes[i];
dataTable.Columns.Add(columnName, columnType);
}
foreach (var row in table.Rows.Skip(1))
{
var dataRow = dataTable.NewRow();
for (int i = 0; i < headerCellCount; i++)
{
string columnName = headerRow[i];
Type columnType = columnTypes[i];
dataRow[columnName] = Convert.ChangeType(row[i], columnType);
}
dataTable.AddRow(dataRow);
}
return dataTable;
}
public static DataTable ToDataTable(this Table table)
{
return table.ToDataTable<string>();
}
public static DataTable ToDataTable<TColumn0>(this Table table)
{
return table.ToDateTable(typeof(TColumn0));
}
public static DataTable ToDataTable<TColumn0, TColumn1>(this Table table)
{
return table.ToDateTable(typeof(TColumn0), typeof(TColumn1));
}
public static DataTable ToDataTable<TColumn0, TColumn1, TColumn2>(this Table table)
{
return table.ToDateTable(typeof(TColumn0), typeof(TColumn1), typeof(TColumn2));
}
}
}
이 일치하는 당신에게 DataTable
을 줄 것이다 열 이름 및 오버로드가 존재하여 강력한 형식의 ish 열이있는 DataRow
개체가 만들어집니다. 프로젝트의 요구로
[Given(@"...")]
public void GivenNumList(Table table)
{
DataTable dataTable = table.ToDataTable<int>();
// dataTable.Rows[0]["num"] is an int
}
당신은 많은 일반적인 유형을 ToDataTable
의 오버로드를 계속 추가하고 지정할 수 있습니다 :
Given Num List
| num |
| 1 |
| 2 |
| 3 |
| 4 |
| 5 |
| 6 |
| 7 |
| 8 |
| 9 |
| 10 |
그리고 단계 정의 : 귀하의 예를 들어
, 당신은 그것을 사용할 것 , 그리고 논리는 훌륭하고 일반적이어서 재사용이 가능합니다.
두 개의 열이있는 SpecFlow 테이블을 가지고 있다면 :
Given some list
| age | name |
| 2 | Billy |
| 85 | Mildred |
단계의 정의는 다음과 같습니다
public void GivenSomeList(Table table)
{
DataTable dataTable = table.ToDateTable<int, string>();
// use it
}
당신이 SpecFlow 열을 지정한 순서에 일반 유형을 지정합니다.
이 코드는 도움이됩니다. 감사합니다. –