tags:

views:

40

answers:

1

Suppose I have a form in view with dynamic row with fields bound to viewmodel like:

 <%for (int i = 1; i <= 5; i++)
 { %>
   <tr> 
    <td style="width: 100%">
      <%= Html.TextBox("Link", Model.Websites[i.ToString()].Links)%>
     </td>
      .....
   </tr>
 <%} %>

When the form is posted, in FormCollection, all data coming from TextBox "Link" is a string separated by comma,. like, Yahoo.com, youtube.com, google.com

Then I can use comma to extract the data to array like:

string[] links = formdata["Link"].Split(',');

But question is: if the data use entered include comma, like "mysite, go.com", the I can get the right data for each item.

How to resolve this issue? is it possible to set special separator for string in FormCollection?

A: 

Use this

public ActionResult MyActionToHandleForm(string[] Link)
{
}

You should automatically get correct array. Read here for more.

Notice that you may also be able to do (name textbox "Link[i]")

 <%for (int i = 1; i <= 5; i++)
 { %>
   <tr> 
    <td style="width: 100%">
      <%= Html.TextBox("Link[" + i + "]", Model.Websites[i.ToString()].Links)%>
     </td>
      .....
   </tr>
 <%} %>

with the same string[] Link action input parameter, but in this case you'll be sure to get correct strings for correct indices (even if, for example, you hide some of them).

queen3