Injecting content into specific sections from a partial view ASP.NET MVC 3 with Razor View Engine

asp.netasp.net Mvcasp.net Mvc-3RazorPartial Views

asp.net Problem Overview


I have this section defined in my _Layout.cshtml

@RenderSection("Scripts", false)

I can easily use it from a view:

@section Scripts { 
    @*Stuff comes here*@
}

What I'm struggling with is how to get some content injected inside this section from a partial view.

Let's assume this is my view page:

@section Scripts { 

    <script>
        //code comes here
    </script>
}

<div>
    poo bar poo
</div>

<div>
  @Html.Partial("_myPartial")
</div>

I need to inject some content inside the Scripts section from _myPartial partial view.

How can I do this?

asp.net Solutions


Solution 1 - asp.net

Sections don't work in partial views and that's by design. You may use some custom helpers to achieve similar behavior, but honestly it's the view's responsibility to include the necessary scripts, not the partial's responsibility. I would recommend using the @scripts section of the main view to do that and not have the partials worry about scripts.

Solution 2 - asp.net

This is quite a popular question, so I'll post my solution up.

I had the same problem and although it isn't ideal, I think it actually works quite well and doesn't make the partial dependant on the view.

My scenario was that an action was accessible by itself but also could be embedded into a a view - a google map.

In my _layout I have:

@RenderSection("body_scripts", false)

In my index view I have:

@Html.Partial("Clients")
@section body_scripts
{
    @Html.Partial("Clients_Scripts")
}

In my clients view I have (all the map and assoc. html):

@section body_scripts
{
    @Html.Partial("Clients_Scripts")
}

My Clients_Scripts view contains the javascript to be rendered onto the page.

This way my script is isolated and can be rendered into the page where required, with the body_scripts tag only being rendered on the first occurrence that the razor view engine finds it.

That lets me have everything separated - it's a solution that works quite well for me, others may have issues with it, but it does patch the "by design" hole.

Solution 3 - asp.net

From the solutions in this thread, I came up with the following probably overcomplicated solution that lets you delay rendering any html (scripts too) within a using block.

USAGE

Create the "section"

  1. Typical scenario: In a partial view, only include the block one time no matter how many times the partial view is repeated in the page:

     @using (Html.Delayed(isOnlyOne: "some unique name for this section")) {
     	<script>
     		someInlineScript();
     	</script>
     }
    
  2. In a partial view, include the block for every time the partial is used:

     @using (Html.Delayed()) {
     	<b>show me multiple times, @Model.Whatever</b>
     }
    
  3. In a partial view, only include the block once no matter how many times the partial is repeated, but later render it specifically by name when-i-call-you:

     @using (Html.Delayed("when-i-call-you", isOnlyOne: "different unique name")) {
     	<b>show me once by name</b>
     	<span>@Model.First().Value</span>
     }
    

Render the "sections"

(i.e. display the delayed section in a parent view)

@Html.RenderDelayed(); // writes unnamed sections (#1 and #2, excluding #3)
@Html.RenderDelayed("when-i-call-you", false); // writes the specified block, and ignore the `isOnlyOne` setting so we can dump it again
@Html.RenderDelayed("when-i-call-you"); // render the specified block by name
@Html.RenderDelayed("when-i-call-you"); // since it was "popped" in the last call, won't render anything due to `isOnlyOne` provided in `Html.Delayed`

CODE

public static class HtmlRenderExtensions {

	/// <summary>
	/// Delegate script/resource/etc injection until the end of the page
	/// <para>@via https://stackoverflow.com/a/14127332/1037948 and http://jadnb.wordpress.com/2011/02/16/rendering-scripts-from-partial-views-at-the-end-in-mvc/ </para>
	/// </summary>
	private class DelayedInjectionBlock : IDisposable {
		/// <summary>
		/// Unique internal storage key
		/// </summary>
		private const string CACHE_KEY = "DCCF8C78-2E36-4567-B0CF-FE052ACCE309"; // "DelayedInjectionBlocks";

		/// <summary>
		/// Internal storage identifier for remembering unique/isOnlyOne items
		/// </summary>
		private const string UNIQUE_IDENTIFIER_KEY = CACHE_KEY;

		/// <summary>
		/// What to use as internal storage identifier if no identifier provided (since we can't use null as key)
		/// </summary>
		private const string EMPTY_IDENTIFIER = "";

		/// <summary>
		/// Retrieve a context-aware list of cached output delegates from the given helper; uses the helper's context rather than singleton HttpContext.Current.Items
		/// </summary>
		/// <param name="helper">the helper from which we use the context</param>
		/// <param name="identifier">optional unique sub-identifier for a given injection block</param>
		/// <returns>list of delayed-execution callbacks to render internal content</returns>
		public static Queue<string> GetQueue(HtmlHelper helper, string identifier = null) {
			return _GetOrSet(helper, new Queue<string>(), identifier ?? EMPTY_IDENTIFIER);
		}
		
		/// <summary>
		/// Retrieve a context-aware list of cached output delegates from the given helper; uses the helper's context rather than singleton HttpContext.Current.Items
		/// </summary>
		/// <param name="helper">the helper from which we use the context</param>
		/// <param name="defaultValue">the default value to return if the cached item isn't found or isn't the expected type; can also be used to set with an arbitrary value</param>
		/// <param name="identifier">optional unique sub-identifier for a given injection block</param>
		/// <returns>list of delayed-execution callbacks to render internal content</returns>
		private static T _GetOrSet<T>(HtmlHelper helper, T defaultValue, string identifier = EMPTY_IDENTIFIER) where T : class {
			var storage = GetStorage(helper);

			// return the stored item, or set it if it does not exist
			return (T) (storage.ContainsKey(identifier) ? storage[identifier] : (storage[identifier] = defaultValue));
		}

		/// <summary>
		/// Get the storage, but if it doesn't exist or isn't the expected type, then create a new "bucket"
		/// </summary>
		/// <param name="helper"></param>
		/// <returns></returns>
		public static Dictionary<string, object> GetStorage(HtmlHelper helper) {
			var storage = helper.ViewContext.HttpContext.Items[CACHE_KEY] as Dictionary<string, object>;
			if (storage == null) helper.ViewContext.HttpContext.Items[CACHE_KEY] = (storage = new Dictionary<string, object>());
			return storage;
		}


		private readonly HtmlHelper helper;
		private readonly string identifier;
		private readonly string isOnlyOne;

		/// <summary>
		/// Create a new using block from the given helper (used for trapping appropriate context)
		/// </summary>
		/// <param name="helper">the helper from which we use the context</param>
		/// <param name="identifier">optional unique identifier to specify one or many injection blocks</param>
		/// <param name="isOnlyOne">extra identifier used to ensure that this item is only added once; if provided, content should only appear once in the page (i.e. only the first block called for this identifier is used)</param>
		public DelayedInjectionBlock(HtmlHelper helper, string identifier = null, string isOnlyOne = null) {
			this.helper = helper;

			// start a new writing context
			((WebViewPage)this.helper.ViewDataContainer).OutputStack.Push(new StringWriter());

			this.identifier = identifier ?? EMPTY_IDENTIFIER;
			this.isOnlyOne = isOnlyOne;
		}

		/// <summary>
		/// Append the internal content to the context's cached list of output delegates
		/// </summary>
		public void Dispose() {
			// render the internal content of the injection block helper
			// make sure to pop from the stack rather than just render from the Writer
			// so it will remove it from regular rendering
			var content = ((WebViewPage)this.helper.ViewDataContainer).OutputStack;
			var renderedContent = content.Count == 0 ? string.Empty : content.Pop().ToString();
			// if we only want one, remove the existing
			var queue = GetQueue(this.helper, this.identifier);

			// get the index of the existing item from the alternate storage
			var existingIdentifiers = _GetOrSet(this.helper, new Dictionary<string, int>(), UNIQUE_IDENTIFIER_KEY);

			// only save the result if this isn't meant to be unique, or
			// if it's supposed to be unique and we haven't encountered this identifier before
			if( null == this.isOnlyOne || !existingIdentifiers.ContainsKey(this.isOnlyOne) ) {
				// remove the new writing context we created for this block
				// and save the output to the queue for later
				queue.Enqueue(renderedContent);
				
				// only remember this if supposed to
				if(null != this.isOnlyOne) existingIdentifiers[this.isOnlyOne] = queue.Count; // save the index, so we could remove it directly (if we want to use the last instance of the block rather than the first)
			}
		}
	}


	/// <summary>
	/// <para>Start a delayed-execution block of output -- this will be rendered/printed on the next call to <see cref="RenderDelayed"/>.</para>
	/// <para>
	/// <example>
	/// Print once in "default block" (usually rendered at end via <code>@Html.RenderDelayed()</code>).  Code:
	/// <code>
	/// @using (Html.Delayed()) {
	///		<b>show at later</b>
	///		<span>@Model.Name</span>
	///		etc
	/// }
	/// </code>
	/// </example>
	/// </para>
	/// <para>
	/// <example>
	/// Print once (i.e. if within a looped partial), using identified block via <code>@Html.RenderDelayed("one-time")</code>.  Code:
	/// <code>
	/// @using (Html.Delayed("one-time", isOnlyOne: "one-time")) {
	///		<b>show me once</b>
	///		<span>@Model.First().Value</span>
	/// }
	/// </code>
	/// </example>
	/// </para>
	/// </summary>
	/// <param name="helper">the helper from which we use the context</param>
	/// <param name="injectionBlockId">optional unique identifier to specify one or many injection blocks</param>
	/// <param name="isOnlyOne">extra identifier used to ensure that this item is only added once; if provided, content should only appear once in the page (i.e. only the first block called for this identifier is used)</param>
	/// <returns>using block to wrap delayed output</returns>
	public static IDisposable Delayed(this HtmlHelper helper, string injectionBlockId = null, string isOnlyOne = null) {
		return new DelayedInjectionBlock(helper, injectionBlockId, isOnlyOne);
	}

	/// <summary>
	/// Render all queued output blocks injected via <see cref="Delayed"/>.
	/// <para>
	/// <example>
	/// Print all delayed blocks using default identifier (i.e. not provided)
	/// <code>
	/// @using (Html.Delayed()) {
	///		<b>show me later</b>
	///		<span>@Model.Name</span>
	///		etc
	/// }
	/// </code>
	/// -- then later --
	/// <code>
	/// @using (Html.Delayed()) {
	///		<b>more for later</b>
	///		etc
	/// }
	/// </code>
	/// -- then later --
	/// <code>
	/// @Html.RenderDelayed() // will print both delayed blocks
	/// </code>
	/// </example>
	/// </para>
	/// <para>
	/// <example>
	/// Allow multiple repetitions of rendered blocks, using same <code>@Html.Delayed()...</code> as before.  Code:
	/// <code>
	/// @Html.RenderDelayed(removeAfterRendering: false); /* will print */
	/// @Html.RenderDelayed() /* will print again because not removed before */
	/// </code>
	/// </example>
	/// </para>

	/// </summary>
	/// <param name="helper">the helper from which we use the context</param>
	/// <param name="injectionBlockId">optional unique identifier to specify one or many injection blocks</param>
	/// <param name="removeAfterRendering">only render this once</param>
	/// <returns>rendered output content</returns>
	public static MvcHtmlString RenderDelayed(this HtmlHelper helper, string injectionBlockId = null, bool removeAfterRendering = true) {
		var stack = DelayedInjectionBlock.GetQueue(helper, injectionBlockId);

		if( removeAfterRendering ) {
			var sb = new StringBuilder(
#if DEBUG
				string.Format("<!-- delayed-block: {0} -->", injectionBlockId)
#endif
				);
			// .count faster than .any
			while (stack.Count > 0) {
				sb.AppendLine(stack.Dequeue());
			}
			return MvcHtmlString.Create(sb.ToString());
		} 
		
		return MvcHtmlString.Create(
#if DEBUG
				string.Format("<!-- delayed-block: {0} -->", injectionBlockId) + 
#endif
			string.Join(Environment.NewLine, stack));
	}


}

Solution 4 - asp.net

If you do have a legitimate need to run some js from a partial, here's how you could do it, jQuery is required:

<script type="text/javascript">        
    function scriptToExecute()
    {
        //The script you want to execute when page is ready.           
    }

    function runWhenReady()
    {
        if (window.$)
            scriptToExecute();                                   
        else
            setTimeout(runWhenReady, 100);
    }
    runWhenReady();
</script>

Solution 5 - asp.net

Following the unobtrusive principle, it's not quite required for "_myPartial" to inject content directly into scripts section. You could add those partial view scripts into separate .js file and reference them into @scripts section from parent view.

Solution 6 - asp.net

The goal of the OP is that he wants to define inline scripts into his Partial View, which I assume that this script is specific only to that Partial View, and have that block included into his script section.

I get that he wants to have that Partial View to be self contained. The idea is similar to components when using Angular.

My way would be to just keep the scripts inside the Partial View as is. Now the problem with that is when calling Partial View, it may execute the script in there before all other scripts (which is typically added to the bottom of the layout page). In that case, you just have the Partial View script wait for the other scripts. There are several ways to do this. The simplest one, which I've used before, is using an event on body.

On my layout, I would have something on the bottom like this:

// global scripts
<script src="js/jquery.min.js"></script>
// view scripts
@RenderSection("scripts", false)
// then finally trigger partial view scripts
<script>
  (function(){
    document.querySelector('body').dispatchEvent(new Event('scriptsLoaded'));
  })();
</script>

Then on my Partial View (at the bottom):

<script>
  (function(){
    document.querySelector('body').addEventListener('scriptsLoaded', function() {

      // .. do your thing here

    });
  })();
</script>

Another solution is using a stack to push all your scripts, and call each one at the end. Other solution, as mentioned already, is RequireJS/AMD pattern, which works really well also.

Solution 7 - asp.net

There is a fundamental flaw in the way we think about web, especially when using MVC. The flaw is that JavaScript is somehow the view's responsibility. A view is a view, JavaScript (behavioral or otherwise) is JavaScript. In Silverlight and WPF's MVVM pattern we we're faced with "view first" or "model first". In MVC we should always try to reason from the model's standpoint and JavaScript is a part of this model in many ways.

I would suggest using the AMD pattern (I myself like RequireJS). Seperate your JavaScript in modules, define your functionality and hook into your html from JavaScript instead of relying on a view to load the JavaScript. This will clean up your code, seperate your concerns and make life easier all in one fell swoop.

Solution 8 - asp.net

You can't need using sections in partial view.

Include in your Partial View. It execute the function after jQuery loaded. You can alter de condition clause for your code.

<script type="text/javascript">    
var time = setInterval(function () {
    if (window.jQuery != undefined) {
        window.clearInterval(time);
        
        //Begin
        $(document).ready(function () {
           //....
        });
        //End
    };
}, 10); </script>

Julio Spader

Solution 9 - asp.net

This worked for me allowing me to co-locate javascript and html for partial view in same file. Helps with thought process to see html and related part in same partial view file.


In View which uses Partial View called "_MyPartialView.cshtml"

<div>
    @Html.Partial("_MyPartialView",< model for partial view>,
            new ViewDataDictionary { { "Region", "HTMLSection" } } })
</div>

@section scripts{

    @Html.Partial("_MyPartialView",<model for partial view>, 
                  new ViewDataDictionary { { "Region", "ScriptSection" } })

 }

In Partial View file

@model SomeType

@{
    var region = ViewData["Region"] as string;
}

@if (region == "HTMLSection")
{


}

@if (region == "ScriptSection")
{
        <script type="text/javascript">
    </script">
}

Solution 10 - asp.net

The first solution I can think of, is to use ViewBag to store the values that must be rendered.

Onestly I never tried if this work from a partial view, but it should imo.

Solution 11 - asp.net

You can use these Extension Methods: (Save as PartialWithScript.cs)

namespace System.Web.Mvc.Html
{
    public static class PartialWithScript
    {
        public static void RenderPartialWithScript(this HtmlHelper htmlHelper, string partialViewName)
        {
            if (htmlHelper.ViewBag.ScriptPartials == null)
            {
                htmlHelper.ViewBag.ScriptPartials = new List<string>();
            }

            if (!htmlHelper.ViewBag.ScriptPartials.Contains(partialViewName))
            {
                htmlHelper.ViewBag.ScriptPartials.Add(partialViewName);
            }

            htmlHelper.ViewBag.ScriptPartialHtml = true;
            htmlHelper.RenderPartial(partialViewName);
        }

        public static void RenderPartialScripts(this HtmlHelper htmlHelper)
        {
            if (htmlHelper.ViewBag.ScriptPartials != null)
            {
                htmlHelper.ViewBag.ScriptPartialHtml = false;
                foreach (string partial in htmlHelper.ViewBag.ScriptPartials)
                {
                    htmlHelper.RenderPartial(partial);
                }
            }
        }
    }
}

Use like this:

Example partial: (_MyPartial.cshtml) Put the html in the if, and the js in the else.

@if (ViewBag.ScriptPartialHtml ?? true)
    <p>I has htmls</p>
}
else {
    <script type="text/javascript">
        alert('I has javascripts');
    </script>
}

In your _Layout.cshtml, or wherever you want the scripts from the partials on to be rendered, put the following (once): It will render only the javascript of all partials on the current page at this location.

@{ Html.RenderPartialScripts(); }

Then to use your partial, simply do this: It will render only the html at this location.

@{Html.RenderPartialWithScript("~/Views/MyController/_MyPartial.cshtml");}

Solution 12 - asp.net

There is a way to insert sections in partial views, though it's not pretty. You need to have access to two variables from the parent View. Since part of your partial view's very purpose is to create that section, it makes sense to require these variables.

Here's what it looks like to insert a section in the partial view:

@model KeyValuePair<WebPageBase, HtmlHelper>
@{
    Model.Key.DefineSection("SectionNameGoesHere", () =>
    {
        Model.Value.ViewContext.Writer.Write("Test");
    });
}

And in the page inserting the partial view...

@Html.Partial(new KeyValuePair<WebPageBase, HtmlHelper>(this, Html))

You can also use this technique to define the contents of a section programmatically in any class.

Enjoy!

Solution 13 - asp.net

Pluto's idea in a nicer way:

CustomWebViewPage.cs:

    public abstract class CustomWebViewPage<TModel> : WebViewPage<TModel> {
    
    public IHtmlString PartialWithScripts(string partialViewName, object model) {
        return Html.Partial(partialViewName: partialViewName, model: model, viewData: new ViewDataDictionary { ["view"] = this, ["html"] = Html });
    }

    public void RenderScriptsInBasePage(HelperResult scripts) {
        var parentView = ViewBag.view as WebPageBase;
        var parentHtml = ViewBag.html as HtmlHelper;
        parentView.DefineSection("scripts", () => {
            parentHtml.ViewContext.Writer.Write(scripts.ToHtmlString());
        });
    }
}

Views\web.config:

<pages pageBaseType="Web.Helpers.CustomWebViewPage">

View:

@PartialWithScripts("_BackendSearchForm")

Partial (_BackendSearchForm.cshtml):

@{ RenderScriptsInBasePage(scripts()); }

@helper scripts() {
<script>
    //code will be rendered in a "scripts" section of the Layout page
</script>
}

Layout page:

@RenderSection("scripts", required: false)

Solution 14 - asp.net

I had this issue today. I'll add a workaround that uses <script defer> as I didn't see the other answers mention it.

//on a JS file somewhere (i.e partial-view-caller.js)
(() => <your partial view script>)();

//in your Partial View
<script src="~/partial-view-caller.js" defer></script>

//you can actually just straight call your partial view script living in an external file - I just prefer having an initialization method :)

Code above is an excerpt from a quick post I made about this question.

Solution 15 - asp.net

I solved this a completely different route (because I was in a hurry and didn't want to implement a new HtmlHelper):

I wrapped my Partial View in a big if-else statement:

@if ((bool)ViewData["ShouldRenderScripts"] == true){
// Scripts
}else{
// Html
}

Then, I called the Partial twice with a custom ViewData:

@Html.Partial("MyPartialView", Model, 
    new ViewDataDictionary { { "ShouldRenderScripts", false } })

@section scripts{
    @Html.Partial("MyPartialView", Model, 
        new ViewDataDictionary { { "ShouldRenderScripts", true } })
}

Solution 16 - asp.net

I had a similar problem, where I had a master page as follows:

@section Scripts {
<script>
    $(document).ready(function () {
        ...
    });
</script>
}

...

@Html.Partial("_Charts", Model)

but the partial view depended on some JavaScript in the Scripts section. I solved it by encoding the partial view as JSON, loading it into a JavaScript variable and then using this to populate a div, so:

@{
    var partial = Html.Raw(Json.Encode(new { html = Html.Partial("_Charts", Model).ToString() }));
}

@section Scripts {
<script>
    $(document).ready(function () {
        ...
        var partial = @partial;
        $('#partial').html(partial.html);
    });
</script>
}

<div id="partial"></div>

Solution 17 - asp.net

choicely, you could use a your Folder/index.cshtml as a masterpage then add section scripts. Then, in your layout you have:

@RenderSection("scripts", required: false) 

and your index.cshtml:

@section scripts{
     @Scripts.Render("~/Scripts/file.js")
}

and it will working over all your partialviews. It work for me

Solution 18 - asp.net

Using Mvc Core you can create a tidy TagHelper scripts as seen below. This could easily be morphed into a section tag where you give it a name as well (or the name is taken from the derived type). Note that dependency injection needs to be setup for IHttpContextAccessor.

When adding scripts (e.g. in a partial)

<scripts>
    <script type="text/javascript">
        //anything here
    </script>
</scripts>

When outputting the scripts (e.g. in a layout file)

<scripts render="true"></scripts>

Code

public class ScriptsTagHelper : TagHelper
    {
        private static readonly object ITEMSKEY = new Object();

        private IDictionary<object, object> _items => _httpContextAccessor?.HttpContext?.Items;

        private IHttpContextAccessor _httpContextAccessor;

        public ScriptsTagHelper(IHttpContextAccessor httpContextAccessor)
        {
            _httpContextAccessor = httpContextAccessor;
        }

        public override async Task ProcessAsync(TagHelperContext context, TagHelperOutput output)
        {
            var attribute = (TagHelperAttribute)null;
            context.AllAttributes.TryGetAttribute("render",out attribute);

            var render = false;

			if(attribute != null)
            {
                render = Convert.ToBoolean(attribute.Value.ToString());
            }

            if (render)
            {
                if (_items.ContainsKey(ITEMSKEY))
                {
                    var scripts = _items[ITEMSKEY] as List<HtmlString>;

                    var content = String.Concat(scripts);

                    output.Content.SetHtmlContent(content);
                }
            }
            else
            {
                List<HtmlString> list = null;

                if (!_items.ContainsKey(ITEMSKEY))
                {
                    list = new List<HtmlString>();
                    _items[ITEMSKEY] = list;
                }

                list = _items[ITEMSKEY] as List<HtmlString>;

                var content = await output.GetChildContentAsync();

                list.Add(new HtmlString(content.GetContent()));
            }
        }
    }

Solution 19 - asp.net

My solution was to load the script from the layout page. Then in the javacript, check for the presence of one of the elements in the parial view. If the element was present, the javascript knew that the partial had been included.

$(document).ready(function () {
    var joinButton = $("#join");
    if (joinButton.length != 0) {
        // the partial is present
		// execute the relevant code
    }
});

Solution 20 - asp.net

Well, I guess the other posters have provided you with a means to directly include an @section within your partial (by using 3rd party html helpers).

But, I reckon that, if your script is tightly coupled to your partial, just put your javascript directly inside an inline <script> tag within your partial and be done with it (just be careful of script duplication if you intend on using the partial more than once in a single view);

Solution 21 - asp.net

assume you have a partial view called _contact.cshtml, your contact can be a legal (name) or a physical subject (first name, lastname). your view should take care about what's rendered and that can be achived with javascript. so delayed rendering and JS inside view may be needed.

the only way i think, how it can be ommitted, is when we create an unobtrusive way of handling such UI concerns.

also note that MVC 6 will have a so called View Component, even MVC futures had some similar stuff and Telerik also supports such a thing...

Solution 22 - asp.net

I have just added this code on my partial view and solved the problem, though not very clean, it works. You have to make sure the the Ids of the objects you are rendering.

<script>
    $(document).ready(function () {
        $("#Profile_ProfileID").selectmenu({ icons: { button: 'ui-icon-circle-arrow-s' } });
        $("#TitleID_FK").selectmenu({ icons: { button: 'ui-icon-circle-arrow-s' } });
        $("#CityID_FK").selectmenu({ icons: { button: 'ui-icon-circle-arrow-s' } });
        $("#GenderID_FK").selectmenu({ icons: { button: 'ui-icon-circle-arrow-s' } });
        $("#PackageID_FK").selectmenu({ icons: { button: 'ui-icon-circle-arrow-s' } });
    });
</script>

Solution 23 - asp.net

I had the similar problem solved it with this:

@section ***{
@RenderSection("****", required: false)
}

Thats a pretty way to inject i guesse.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestiontugberkView Question on Stackoverflow
Solution 1 - asp.netDarin DimitrovView Answer on Stackoverflow
Solution 2 - asp.netdan richardsonView Answer on Stackoverflow
Solution 3 - asp.netdrzausView Answer on Stackoverflow
Solution 4 - asp.netSerj SaganView Answer on Stackoverflow
Solution 5 - asp.netarchilView Answer on Stackoverflow
Solution 6 - asp.netalansView Answer on Stackoverflow
Solution 7 - asp.netMr. BaudinView Answer on Stackoverflow
Solution 8 - asp.netJulio SpaderView Answer on Stackoverflow
Solution 9 - asp.netpurvinView Answer on Stackoverflow
Solution 10 - asp.netIridioView Answer on Stackoverflow
Solution 11 - asp.netLomakView Answer on Stackoverflow
Solution 12 - asp.netPlutoView Answer on Stackoverflow
Solution 13 - asp.netPaulSanSView Answer on Stackoverflow
Solution 14 - asp.netPractical ProgrammerView Answer on Stackoverflow
Solution 15 - asp.netRick LoveView Answer on Stackoverflow
Solution 16 - asp.netJohn MView Answer on Stackoverflow
Solution 17 - asp.netRogerEdwardView Answer on Stackoverflow
Solution 18 - asp.netBlackjacketMackView Answer on Stackoverflow
Solution 19 - asp.netuser3717478View Answer on Stackoverflow
Solution 20 - asp.netCSharkView Answer on Stackoverflow
Solution 21 - asp.netuser4298890View Answer on Stackoverflow
Solution 22 - asp.netluisView Answer on Stackoverflow
Solution 23 - asp.netPouria JafariView Answer on Stackoverflow