我有一个表格,在序列化后用ajax发送到控制器。我想在控制器中获取值类型为int或string。表单有输入类型文本和输入类型号?我如何获取输入类型数的类型为int? 控制器代码如下
string abc = fm[key].GetType().Name;
这总是'String'。
假设您有一个表单,如下所示
<form method='Post' action='../Home/Index'>
<input type="text" name="First"/>
<input type="number" name="Second"/>
<input type="submit" value="send"/>
</form>
在控制器端循环键和值并将它们添加到存储过程参数中。但sp也有一个类型的参数,如string,integer ......
控制器如下
[HttpPost]
public ActionResult Index(FormCollection fm)
{
foreach (var key in fm.AllKeys)
{
using (SqlCommand command = new SqlCommand("SysDefinitionPopulate", con))
{
string abc = fm[key].GetType().Name;
command.CommandType = CommandType.StoredProcedure;
command.Parameters.Add("@key", key);
command.Parameters.Add("@value", fm[key]);
command.Parameters.Add("@type", abc);
command.ExecuteScalar();
}
}
}
答案 0 :(得分:1)
FormCollection
是一个特殊字典,键和值都是字符串。
要获得整数,您可以创建自定义模型,而不是&#39; FormCollection&#39;使用这个模型,例如:
public class MeaningfulName
{
public string First { get; set; }
public int Second { get; set; }
}
在您的控制器中:
[HttpPost]
public ActionResult Index(MeaningfulName model)
{
using (SqlCommand command = new SqlCommand("SysDefinitionPopulate", con))
{
command.CommandType = CommandType.StoredProcedure;
command.Parameters.Add("@key", model.First);
command.Parameters.Add("@value", model.Second);
command.ExecuteScalar();
}
}
答案 1 :(得分:0)
最好不要使用FormCollection - 改为使用Model Binding!
E.g。像这样的简单绑定:
[HttpPost]
public ActionResult Index(string First, int Second)
{
// do your magic
}
或使用实际的模型类:
public class TestModel // put in Models folder
{
public string First { get; set; }
public int Second { get; set; }
}
[HttpPost]
public ActionResult Index(TestModel myData)
{
// do your magic
}