我需要在小黄瓜中实现数据表。但它们只允许使用表而不是数据表。如何在Gherkin中实现数据表?
我试过了: 这是我的小黄瓜语法
Scenario: Select Even Numbers From The list
Given Num List
| num |
| 1 |
| 2 |
| 3 |
| 4 |
| 5 |
| 6 |
| 7 |
| 8 |
| 9 |
| 10 |
Then the result should even numbers only on the screen.
这是生成步骤定义后的代码。这里的函数参数是Table。(如何使用数据表而不是表?)。
public void GivenNumList(Table table)
{
}
答案 0 :(得分:0)
表格类型代表Gherkin中的表格 如果您直接想要DataTable作为函数的参数,则可以使用Step Argument Transformations(http://specflow.org/documentation/Step-Argument-Conversions/)。
在你的情况下,它必须看起来像这样:
[Binding]
public class Transforms
{
[StepArgumentTransformation]
public DataTable TransformToDataTable(Table booksTable)
{
//your code to put the data from the Table to the DataTable
}
}
使用表格中的数据填充DataTable仍然需要您完成。
答案 1 :(得分:0)
您可以将其作为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
,并且存在重载以创建具有强类型列的DataRow
个对象。
对于您的示例,您可以将其用作:
Given Num List
| num |
| 1 |
| 2 |
| 3 |
| 4 |
| 5 |
| 6 |
| 7 |
| 8 |
| 9 |
| 10 |
步骤定义:
[Given(@"...")]
public void GivenNumList(Table table)
{
DataTable dataTable = table.ToDataTable<int>();
// dataTable.Rows[0]["num"] is an int
}
您可以继续添加ToDataTable
的重载并指定与项目需要一样多的泛型类型,并且逻辑很好且通用,使其非常可重用。
如果您有一个包含两列的SpecFlow表:
Given some list
| age | name |
| 2 | Billy |
| 85 | Mildred |
步骤定义为:
public void GivenSomeList(Table table)
{
DataTable dataTable = table.ToDateTable<int, string>();
// use it
}
按照指定SpecFlow列的顺序指定泛型类型。