Creating Custom HTML Helpers in ASP - NET MVC
Creating Custom HTML Helpers in ASP - NET MVC
With help of HTML Helpers we can reduce the amount of typing of HTML tags for
creating a HTML page.
For example we use Html.TextBox() helper method it generates html input textbox. Write the following code snippet in MVC View:
<%=Html.TextBox("txtName",20)%>
For developing custom HTML helpers the simplest way is to write an extension method for the HtmlHelperclass. See the below code, it
builds a custom Image HTML Helper for generating image tag.
using System;
using System.Web.Mvc;
namespace MvcHelpers
{
public static class CustomHtmlHelpers
{
public static TagBuilder Image(this HtmlHelper helper, string imageUrl, string
alt)
{
if (!String.IsNullOrEmpty(imageUrl))
{
TagBuilder imageTag = new TagBuilder("img");
imageTag.MergeAttribute("src", imageUrl);
imageTag.MergeAttribute("alt", alt);
return imageTag;
}
return null;
}
}
}
The next step is in order to make it available to Views, we should include the name space of out custom HTML helper class into
Web.config
Build the solution to make sure the helper method is available to views. Goto any view in the solution access the newly created HTML
image helper method.
Image Tag Helper is simple example of HTML helpers, we can put any sort of complex logic into HTML Helpers & access them with in
the views with a simple method call. in turn which makes the view simpler.
Happy Coding!