Hidden Features of ASP.NET [closed]
Asked Answered
W

53

292

This question exists because it has historical significance, but it is not considered a good, on-topic question for this site, so please do not use it as evidence that you can ask similar questions here.

More info: https://stackoverflow.com/faq


There are always features that would be useful in fringe scenarios, but for that very reason most people don't know them. I am asking for features that are not typically taught by the text books.

What are the ones that you know?

Wescott answered 10/9, 2008 at 18:20 Comment(5)
Good question, I wish could vote multiple times!Buggery
Agreed. I love threads like this. There's so much depth to the framework, that you're sometimes amazed at things you never knew were there.Easygoing
I am learning so many cool new tricks from the responses in this thread - thanks! :)Headwaters
Rather than "Hidden features of.. " shouldn't these things be named "Little Known features of.." because most every answer is well documented in MSDN or elsewhere, just not commonly known or used.Antebi
See meta.stackexchange.com/questions/56669/…, meta.stackexchange.com/questions/57226/…, and related Meta posts for discussion on appropriateness and closing.Whereby
C
334

While testing, you can have emails sent to a folder on your computer instead of an SMTP server. Put this in your web.config:

<system.net>
    <mailSettings>
        <smtp deliveryMethod="SpecifiedPickupDirectory">
            <specifiedPickupDirectory pickupDirectoryLocation="c:\Temp\" />
        </smtp>
    </mailSettings>
</system.net>
Clinandrium answered 10/9, 2008 at 18:20 Comment(9)
Really? I was about to install a fake SMTP Server, like Dumbster. I hidden gem.Coelenterate
Does anyone know if you can you specify a UNC share for the directory location?Interest
Better yet, put this on your dev box machine.config, so you don't have to change the web.config on every app you create.Merell
Can you set it so it only does this on local host? That way you don't have to change it every time?Eicher
There's no setting for that. You'll have to manage the config differences using other methods (Web Deployment Projects, Build tasks, etc)Clinandrium
@Max Toro that's the real gem :) ... Note that you can already does that in Code (if you were exploring the SmtpClient properties by any means)Ethyl
I thought you could do something like this through IIS. I must be mistaken, I just remember the emails going to a folder.Twi
I think you can configure the SMTP server itself to drop everything in a folder as well, but it's server-wide so it would affect other applications.Clinandrium
That's really helpful. We use to use real smtp server and jam it while testing.Willms
D
210

If you place a file named app_offline.htm in the root of a web application directory, ASP.NET 2.0+ will shut-down the application and stop normal processing any new incoming requests for that application, showing only the contents of the app_offline.htm file for all new requests.

This is the quickest and easiest way to display your "Site Temporarily Unavailable" notice while re-deploying (or rolling back) changes to a Production server.

Also, as pointed out by marxidad, make sure you have at least 512 bytes of content within the file so IE6 will render it correctly.

Deane answered 10/9, 2008 at 20:58 Comment(5)
Don't forget the workaround for IE's "friendly" messages: tinyurl.com/app-offline-friendlyJoijoice
Ouch! Be careful when using this with MOSS 2007. It will only work for pages that have been accessed since the last IIS restart. So, if you add this page to your wss virtual root, then try to open a page that hadn't been accessed previously, you will get a 404.Chairman
@Chairman - Got this tip from Scott Guthrie, if you are feeling generous, you would be helping a lot of SharePoint devs avoid this scenario if you commented on the Gu's article: weblogs.asp.net/scottgu/archive/2005/10/06/426755.aspxDeane
Plus, this will also trigger a recycle of the App Domain and close any open database connections, after all requests have finished.Deni
There's a caveat to this one: IIS returns the app_offline.htm content with an HTTP Status Code of 404. Should a search engine wander along and attempt to index your site while you're in this offline mode, you might not appreciate the results. But it works great for my private corporate web app!Swayne
C
119
throw new HttpException(404, "Article not found");

This will be caught by ASP.NET which will return the customErrors page. Learned about this one in a recent .NET Tip of the Day Post

Clinandrium answered 10/9, 2008 at 18:20 Comment(5)
Some developers could argue that it's better to wrap things up manually in HttpContext.Response rather than throwing an exception which is quite expensive operation in .NET books.Appalling
Isn't this bad form? You're showing the 404 error, whereas you want to display an error/exception.Fowl
One case I can think of is if someone is maliciously messing with parameters and puts something invalid in, you probably want a generic 404 not a specific error.Clinandrium
Upvoted purely because I'm now aware of the .NET Tip of the Day site.Convince
it works only when you throw it in httpModule or httpHandlerSibyls
H
75

Here's the best one. Add this to your web.config for MUCH faster compilation. This is post 3.5SP1 via this QFE.

<compilation optimizeCompilations="true">

Quick summary: we are introducing a new optimizeCompilations switch in ASP.NET that can greatly improve the compilation speed in some scenarios. There are some catches, so read on for more details. This switch is currently available as a QFE for 3.5SP1, and will be part of VS 2010.

The ASP.NET compilation system takes a very conservative approach which causes it to wipe out any previous work that it has done any time a ‘top level’ file changes. ‘Top level’ files include anything in bin and App_Code, as well as global.asax. While this works fine for small apps, it becomes nearly unusable for very large apps. E.g. a customer was running into a case where it was taking 10 minutes to refresh a page after making any change to a ‘bin’ assembly.

To ease the pain, we added an ‘optimized’ compilation mode which takes a much less conservative approach to recompilation.

Via here:

Hooligan answered 10/9, 2008 at 18:20 Comment(1)
Is this "on by default" with VS 2010 or should I still try it out?Angloindian
J
73
  • HttpContext.Current will always give you access to the current context's Request/Response/etc., even when you don't have access to the Page's properties (e.g., from a loosely-coupled helper class).

  • You can continue executing code on the same page after redirecting the user to another one by calling Response.Redirect(url, false )

  • You don't need .ASPX files if all you want is a compiled Page (or any IHttpHandler). Just set the path and HTTP methods to point to the class in the <httpHandlers> element in the web.config file.

  • A Page object can be retrieved from an .ASPX file programmatically by calling PageParser.GetCompiledPageInstance(virtualPath,aspxFileName,Context)

Joijoice answered 10/9, 2008 at 20:11 Comment(7)
About Response.Redirect(url, false) - That is so much what I hoped for quite a long time.. I dont know how I missed that but thanxxxHaskel
Can someone explain what you would do with this? I know it has some value, but I can't figure out why...Easygoing
If you want to redirect the user to a different address but still have some back-end processing to do (e.g., a report generation request that redirects to the report's generation status page while it continues to generate the report in the background)Joijoice
Can someone explain a useful situation for PageParser.GetCompiledPageInstance(..)? The docs say for it's for infrastructure use - it returns an IHttpHandler type so I don't see how it can be practically used.Antebi
@jdk: I've used it in the past when overriding the default handler for *.aspx requests so I can use dynamic in-memory IHttpHandler objects but also use GetCompiledPageInstance() for physical *.aspx files.Joijoice
@Mark Cidade: Thanks for the info. I'm still unclear on one point: did you cast it into a different data type to use effectively it, or did you continue to reference it through the IHttpHandler data type?Antebi
@jdk: I just call the ProcessRequest() method on the IHttpHandler interface.Joijoice
G
70

Retail mode at the machine.config level:

<configuration>
  <system.web>
    <deployment retail="true"/>
  </system.web>
</configuration>

Overrides the web.config settings to enforce debug to false, turns custom errors on and disables tracing. No more forgetting to change attributes before publishing - just leave them all configured for development or test environments and update the production retail setting.

Greenway answered 10/9, 2008 at 18:20 Comment(1)
I sometimes forget to change compilation debug to false before publishing, which negatively affects performance. No problem any more!Herl
M
59

Enabling intellisense for MasterPages in the content pages
I am sure this is a very little known hack

Most of the time you have to use the findcontrol method and cast the controls in master page from the content pages when you want to use them, the MasterType directive will enable intellisense in visual studio once you to this

just add one more directive to the page

<%@ MasterType VirtualPath="~/Masters/MyMainMasterPage.master" %>

If you do not want to use the Virtual Path and use the class name instead then

<%@ MasterType TypeName="MyMainMasterPage" %>

Get the full article here

Myer answered 10/9, 2008 at 18:20 Comment(4)
Using the FindControl can sometimes be hectic, thanks for this great tip!Hilltop
Using this might result in unexpected behaviour. See #1999431Nicotinism
Personally I think feature should be left unknown to people, it couples the page to the masterpage. If you end up using properties/methods of the masterpage and then change the masterpage you end up with a maintenance nightmare.Risner
@Phil: Sometimes it is needed and having a statically typed access to a masterpage is much better than the FindControl approach. At least you get the compiler message and can quickly fix it.Liris
C
58

HttpContext.Items as a request-level caching tool

Clinandrium answered 10/9, 2008 at 18:20 Comment(3)
This was going to be my point as well, i use this in nested controlls to pass/receive request level information. Ii also use this in MVC to store a list of js files to append, based in partial views.Retrace
I use this when I use the asp.net routing to pass the parameters fetched from the urls to my pages. (not with MVC) great for url rewriting and is quite flexible.Hilltop
Hmmmm, just thought of somewhere where I could have used this instead of Session - ta!Aurar
G
52

Two things stand out in my head:

1) You can turn Trace on and off from the code:

#ifdef DEBUG 
   if (Context.Request.QueryString["DoTrace"] == "true")
                {
                    Trace.IsEnabled = true;
                    Trace.Write("Application:TraceStarted");
                }
#endif

2) You can build multiple .aspx pages using only one shared "code-behind" file.

Build one class .cs file :

public class Class1:System.Web.UI.Page
    {
        public TextBox tbLogin;

        protected void Page_Load(object sender, EventArgs e)
        {

          if (tbLogin!=null)
            tbLogin.Text = "Hello World";
        }
    }

and then you can have any number of .aspx pages (after you delete .designer.cs and .cs code-behind that VS has generated) :

  <%@ Page Language="C#"  AutoEventWireup="true"  Inherits="Namespace.Class1" %>
     <form id="form1" runat="server">
     <div>
     <asp:TextBox  ID="tbLogin" runat="server"></asp: TextBox  >
     </div>
     </form>

You can have controls in the ASPX that do not appear in Class1, and vice-versa, but you need to remeber to check your controls for nulls.

Gyrostat answered 10/9, 2008 at 19:36 Comment(5)
I would have voted this up, but ran out of votes. I am going to try and remember to come back to vote this up. I didn't know that we could have the same Code Behind file for multiple pages. Not sure, how that would work.Wescott
Does anyone else think its a security risk to allow you to activate a trace from a url? (#1) I'm not going to downvote this question, but its important to understand the risk there.Bathelda
Absolutelly, you should really put that code in a #ifdef DEBUG #endif blockGyrostat
Great comments, pointing out the security aspect.Wescott
Why it's a security risk to activate a trace from url? How it can be used to harm me?Mantilla
P
48

You can use:

 Request.Params[Control.UniqueId] 

To get the value of a control BEFORE viewstate is initialized (Control.Text etc will be empty at this point).

This is useful for code in Init.

Pettigrew answered 10/9, 2008 at 20:4 Comment(1)
Viewstate initialization doesnt treat with Request.Params. Use it BEFORE raising of the method LoadPostData of control implemented IPostBackDataHandler.Mcgehee
M
46

WebMethods.

You can using ASP.NET AJAX callbacks to web methods placed in ASPX pages. You can decorate a static method with the [WebMethod()] and [ScriptMethod()] attributes. For example:

[System.Web.Services.WebMethod()] 
[System.Web.Script.Services.ScriptMethod()] 
public static List<string> GetFruitBeginingWith(string letter)
{
    List<string> products = new List<string>() 
    { 
        "Apple", "Banana", "Blackberry", "Blueberries", "Orange", "Mango", "Melon", "Peach"
    };

    return products.Where(p => p.StartsWith(letter)).ToList();
}

Now, in your ASPX page you can do this:

<form id="form1" runat="server">
    <div>
        <asp:ScriptManager ID="ScriptManager1" runat="server" EnablePageMethods="true" />
        <input type="button" value="Get Fruit" onclick="GetFruit('B')" />
    </div>
</form>

And call your server side method via JavaScript using:

    <script type="text/javascript">
    function GetFruit(l)
    {
        PageMethods.GetFruitBeginingWith(l, OnGetFruitComplete);
    }

    function OnGetFruitComplete(result)
    {
        alert("You got fruit: " + result);
    }
</script>
Milesmilesian answered 10/9, 2008 at 18:20 Comment(0)
C
45

Check to see if the client is still connected, before starting a long-running task:

if (this.Response.IsClientConnected)
{
  // long-running task
}
Culliton answered 10/9, 2008 at 18:20 Comment(0)
M
44

One little known and rarely used feature of ASP.NET is:

Tag Mapping

It's rarely used because there's only a specific situation where you'd need it, but when you need it, it's so handy.

Some articles about this little know feature:

Tag Mapping in ASP.NET
Using Tag Mapping in ASP.NET 2.0

and from that last article:

Tag mapping allows you to swap compatible controls at compile time on every page in your web application. A useful example is if you have a stock ASP.NET control, such as a DropDownList, and you want to replace it with a customized control that is derived from DropDownList. This could be a control that has been customized to provide more optimized caching of lookup data. Instead of editing every web form and replacing the built in DropDownLists with your custom version, you can have ASP.NET in effect do it for you by modifying web.config:

<pages>
 <tagMapping>
   <clear />
   <add tagType="System.Web.UI.WebControls.DropDownList"
        mappedTagType="SmartDropDown"/>
  </tagMapping>
</pages>
Malinin answered 10/9, 2008 at 18:20 Comment(2)
This would be very confusing for other developers in your teamGoodly
@Aykut - Indeed it could be, which is why I state that its usefulness is rather narrow, however, when required it's very handy. Also, I would make sure that any usage of Tag Mapping was very clearly documented to avoid any confusion and ambiguity.Malinin
T
43

HttpModules. The architecture is crazy elegant. Maybe not a hidden feature, but cool none the less.

Thunderpeal answered 10/9, 2008 at 18:22 Comment(2)
HttpModules is something that is advanced, but I wouldn't call it rare or less used (or call me naive). But yes, I love the architecture.Wescott
+1 because a lot of seasoned developers may know about HttpModules but don't fully understand their relationship with requests. (Same thing with HttpHandlers)Idealism
A
34

You can use ASP.NET Comments within an .aspx page to comment out full parts of a page including server controls. And the contents that is commented out will never be sent to the client.

<%--
    <div>
        <asp:Button runat="server" id="btnOne"/>
    </div>
--%>
Annapolis answered 11/10, 2008 at 14:41 Comment(3)
There are people who really don't know that there are comments?Surgeon
I like it when you find half an aspx page in <!-- comments ...Salary
It is rather bare feature of ASP.NETBreviary
T
34

The Code Expression Builder

Sample markup:

Text = '<%$ Code: GetText() %>'
Text = '<%$ Code: MyStaticClass.MyStaticProperty %>'
Text = '<%$ Code: DateTime.Now.ToShortDateString() %>'
MaxLenth = '<%$ Code: 30 + 40 %>'

The real beauty of the code expression builder is that you can use databinding like expressions in non-databinding situations. You can also create other Expression Builders that perform other functions.

web.config:

<system.web>    
    <compilation debug="true">
        <expressionBuilders>
            <add expressionPrefix="Code" type="CodeExpressionBuilder" />

The cs class that makes it all happen:

[ExpressionPrefix("Code")]
public class CodeExpressionBuilder : ExpressionBuilder
{
    public override CodeExpression GetCodeExpression(
        BoundPropertyEntry entry,
        object parsedData,
        ExpressionBuilderContext context)
    {            
        return new CodeSnippetExpression(entry.Expression);
    }
} 
Templar answered 21/2, 2009 at 4:28 Comment(4)
what do you mean with "and others" in the title?Sibyls
Well I guess I never got to the others.Templar
+1, really cool feature... That's actually quite similar to WPF's markup extensionsHardened
isn't this the same as using <%= /*code*/ %>?Dc
M
33

Usage of the ASHX file type:
If you want to just output some basic html or xml without going through the page event handlers then you can implement the HttpModule in a simple fashion

Name the page as SomeHandlerPage.ashx and just put the below code (just one line) in it

<%@ webhandler language="C#" class="MyNamespace.MyHandler" %>

Then the code file

using System;
using System.IO;
using System.Web;

namespace MyNamespace
{
    public class MyHandler: IHttpHandler
    {
        public void ProcessRequest (HttpContext context)
        {   
            context.Response.ContentType = "text/xml";
            string myString = SomeLibrary.SomeClass.SomeMethod();
            context.Response.Write(myString);
        }

        public bool IsReusable
        {
            get { return true; }
        }
    }
}
Myer answered 10/9, 2008 at 18:20 Comment(2)
It's worth noting that you should add IRequiresSessionState or IReadOnlySessionState if you need it, otherwise it won't be there.Retrace
It's also worth noting that you can specify the setup of the handler in the web.config so you don't need to have a physical ashx file laying around. Or you can register the handler programatically in your application start in the global asax.Risner
C
27

Setting Server Control Properties Based on Target Browser and more.

<asp:Label runat="server" ID="labelText" 
    ie:Text="This is IE text" 
    mozilla:Text="This is Firefox text" 
    Text="This is general text" 
/>

That one kinda took me by surprise.

Corps answered 12/9, 2008 at 7:25 Comment(1)
+1. Can you post a short code sample inline. I think it will generate more attention and upvotes. I want this one to go up.Antebi
I
26

I worked on a asp.net application which went through a security audit by a leading security company and I learned this easy trick to preventing a lesser known but important security vulnerability.

The below explanation is from: http://www.guidanceshare.com/wiki/ASP.NET_2.0_Security_Guidelines_-_Parameter_Manipulation#Consider_Using_Page.ViewStateUserKey_to_Counter_One-Click_Attacks

Consider using Page.ViewStateUserKey to counter one-click attacks. If you authenticate your callers and use ViewState, set the Page.ViewStateUserKey property in the Page_Init event handler to prevent one-click attacks.

void Page_Init (object sender, EventArgs e) {
  ViewStateUserKey = Session.SessionID;
}

Set the property to a value you know is unique to each user, such as a session ID, user name, or user identifier.

A one-click attack occurs when an attacker creates a Web page (.htm or .aspx) that contains a hidden form field named __VIEWSTATE that is already filled with ViewState data. The ViewState can be generated from a page that the attacker had previously created, such as a shopping cart page with 100 items. The attacker lures an unsuspecting user into browsing to the page, and then the attacker causes the page to be sent to the server where the ViewState is valid. The server has no way of knowing that the ViewState originated from the attacker. ViewState validation and HMACs do not counter this attack because the ViewState is valid and the page is executed under the security context of the user.

By setting the ViewStateUserKey property, when the attacker browses to a page to create the ViewState, the property is initialized to his or her name. When the legitimate user submits the page to the server, it is initialized with the attacker's name. As a result, the ViewState HMAC check fails and an exception is generated.

Iceskate answered 10/9, 2008 at 18:20 Comment(6)
Also remember to leave base.OnInit(e); for the Page_Init() function to do its job.Auria
I think that this trick can fail if a real user did not accept cookies, or if sessionid has timeout.Sashasashay
You don't need base.OnInit(e); if you are using AutoEventWireup="true" for the page.Stcyr
Druid: He's not overriding OnInit (in which case, base.OnInit(e) would be necessary).Calfskin
Using the session ID for the ViewStateUserKey only works after a session has actually started. It also means that these pages can timeout after the session expires. In cases where those issues are a concern, you might consider using something more durable, such as the user's IP address.Culliton
There are circumstances where this doesn't fully prevent CSRF attacks. "It doesn't work for non post-backs (I.e. GET requests), and it doesn't work if the ViewState MAC is turned off." See cgisecurity.com/2008/09/viewstateuserke.html, so be aware of the assumptions and limitations if you are using this as your anti-CSRF strategy.Eld
A
26

System.Web.VirtualPathUtility

Annapolis answered 10/10, 2008 at 14:14 Comment(0)
C
25

HttpContext.Current.IsDebuggingEnabled

This is great for determining which scripts to output (min or full versions) or anything else you might want in dev, but not live.

Clinandrium answered 10/9, 2008 at 18:20 Comment(1)
I agree with Jan, but sometimes it may be interesting to have an app that is aware of its execution state Debug/Release.Hilltop
V
20

DefaultButton property in Panels.

It sets default button for a particular panel.

Vallievalliere answered 10/9, 2008 at 18:20 Comment(1)
Attention, does'nt work on all kind of buttons, e.g. LinkButtons!Hepatica
C
20

Included in ASP.NET 3.5 SP1:

  • customErrors now supports "redirectMode" attribute with a value of "ResponseRewrite". Shows error page without changing URL.
  • The form tag now recognizes the action attribute. Great for when you're using URL rewriting
Clinandrium answered 10/9, 2008 at 18:20 Comment(0)
S
19

Using configSource to split configuration files.

You can use the configSource attribute in a web.config file to push configuration elements to other .config files, for example, instead of:

    <appSettings>
        <add key="webServiceURL" value="https://some/ws.url" />
        <!-- some more keys -->
    </appSettings>

...you can have the entire appSettings section stored in another configuration file. Here's the new web.config :

    <appSettings configSource="myAppSettings.config" />

The myAppSettings.config file :

    <appSettings>        
        <add key="webServiceURL" value="https://some/ws.url" />
        <!-- some more keys -->
    </appSettings>

This is quite useful for scenarios where you deploy an application to a customer and you don't want them interfering with the web.config file itself and just want them to be able to change just a few settings.

ref: http://weblogs.asp.net/fmarguerie/archive/2007/04/26/using-configsource-to-split-configuration-files.aspx

Skuld answered 10/9, 2008 at 18:20 Comment(1)
This is also working on any type of .net project, ex Desktop app. configsThighbone
J
19

ScottGu has a bunch of tricks at http://weblogs.asp.net/scottgu/archive/2006/04/03/441787.aspx

Joijoice answered 10/9, 2008 at 21:2 Comment(0)
V
17

MaintainScrollPositionOnPostback attribute in Page directive. It is used to maintain scroll position of aspx page across postbacks.

Vallievalliere answered 10/9, 2008 at 18:20 Comment(1)
A comment would be helpful to improve the answer.Vallievalliere
M
16

HttpContext.IsCustomErrorEnabled is a cool feature.I've found it useful more than once. Here is a short post about it.

Milena answered 10/9, 2008 at 18:34 Comment(0)
J
16

By default, any content between tags for a custom control is added as a child control. This can be intercepted in an AddParsedSubObject() override for filtering or additional parsing (e.g., of text content in LiteralControls):

    protected override void AddParsedSubObject(object obj)
     { var literal = obj as LiteralControl;
       if (literal != null) Controls.Add(parseControl(literal.Text));
       else base.AddParsedSubObject(obj);
     }

...

   <uc:MyControl runat='server'>
     ...this text is parsed as a LiteralControl...
  </uc:MyControl>
Joijoice answered 10/9, 2008 at 20:35 Comment(0)
B
13

If you have ASP.NET generating an RSS feed, it will sometimes put an extra line at the top of the page. This won't validate with common RSS validators. You can work around it by putting the page directive <@Page> at the bottom of the page.

Bathelda answered 10/9, 2008 at 21:19 Comment(5)
Wouldn't you do better using an .ASHX handler for generating RSS feeds?Milesmilesian
I guess that depends on the complexity of the project. Not every one has the ability or skills to create and compile handlers. In page asp.net works reasonably well for thisBathelda
And you can use something like <asp:Repeater> to generate RSS items and do other tricks (such as using the LogInView to remove some items) which is much better than writing strings from ASHX IMOEthyl
LinqToXml + ASHX is the way to go!Skeptic
This is useful for much more than RSS feed generation. IIRC, HTML5 must have the <!doctype html> tag on the first line at the top to validate correctly.Herl
A
12

My team uses this a lot as a hack:

WebRequest myRequest = WebRequest.Create("http://www.google.com");
WebResponse myResponse = myRequest.GetResponse();
StreamReader sr = new StreamReader(myResponse.GetResponseStream());

// here's page's response loaded into a string for further use

String thisReturn = sr.ReadToEnd().Trim();

It loads a webpage's response as a string. You can send in post parameters too.

We use it in the place of ASCX/AJAX/WebServices when we need something cheap and fast. Basically, its a quick way to access web-available content across servers. In fact, we just dubbed it the "Redneck Web Service" yesterday.

Autopsy answered 10/9, 2008 at 18:20 Comment(2)
You know about the System.Net.WebClient class also, right?Mcchesney
OK so the highlight of my IT career so far has been getting this answer called "ghetto" by Hanselman. Sweet!Penholder
D
12

Before ASP.NET v3.5 added routes you could create your own friendly URLs simply by writing an HTTPModule to and rewrite the request early in the page pipeline (like the BeginRequest event).

Urls like http://servername/page/Param1/SomeParams1/Param2/SomeParams2 would get mapped to another page like below (often using regular expressions).

HttpContext.RewritePath("PageHandler.aspx?Param1=SomeParms1&Param2=SomeParams2");

DotNetNuke has a really good HttpModule that does this for their friendly urls. Is still useful for machines where you can't deploy .NET v3.5.

Denazify answered 14/9, 2008 at 3:27 Comment(2)
This requires mapping all IIS requests to ASP.NETClinandrium
Or just the 404 error handler.Pettigrew
R
11

Did you know it's possible to run ASP.Net outside of IIS or Visual Studio?

The whole runtime is packaged up and ready to be hosted in any process that wants to give it a try. Using ApplicationHost, HttpRuntime and HttpApplication classes, you too can grind up those .aspx pages and get shiny HTML output from them.

HostingClass host = ApplicationHost.CreateApplicationHost(typeof(HostingClass), 
                                            "/virtualpath", "physicalPath");
host.ProcessPage(urlToAspxFile); 

And your hosting class:

public class HostingClass : MarshalByRefObject
{
    public void ProcessPage(string url)
    {
        using (StreamWriter sw = new StreamWriter("C:\temp.html"))
        {
            SimpleWorkerRequest worker = new SimpleWorkerRequest(url, null, sw);
            HttpRuntime.ProcessRequest(worker);
        }
                    // Ta-dah!  C:\temp.html has some html for you.
    }
}
Riplex answered 10/9, 2008 at 18:20 Comment(0)
B
10

CompilationMode="Never" is a feature which can be crucial in certain ASP.NET sites.

If you have an ASP.NET application where ASPX pages are frequently generated and updated via a CMS or other publishing system, it is important to use CompilationMode="Never".

Without this setting, the ASPX file changes will trigger recompilations which will quickly make your appdomain restart. This can wipe out session state and httpruntime cache, not to mention lag caused by recompilation.

(To prevent recompilation you could increase the numRecompilesBeforeAppRestart setting, but that is not ideal as it consumes more memory.)

One caveat to this feature is that the ASPX pages cannot contain any code blocks. To get around this, one may place code in custom controls and/or base classes.

This feature is mostly irrelevant in cases where ASPX pages don't change often.

Beecham answered 10/9, 2008 at 18:20 Comment(0)
S
9

one feature came to my mind, sometimes you will need to hide some part of your page from the crowlers. you can do it with javascript or using this simple code:

if (Request.Browser.Crawler){
        HideArticleComments();
Sibyls answered 10/9, 2008 at 18:20 Comment(2)
this does not always work since some crawler spoof normal traffic.Hilltop
This is really bad SEO. If you hide stuff from crawlers you will be penalized in rankings. It is also misleading.Leopoldeen
I
9

System.Web.Hosting.HostingEnvironment.MapPath

Integrate answered 10/9, 2008 at 18:20 Comment(0)
D
9

Valid syntax that VS chokes on:

<input type="checkbox" name="roles" value='<%# Eval("Name") %>' 
  <%# ((bool) Eval("InRole")) ? "checked" : "" %> 
  <%# ViewData.Model.IsInRole("Admin") ? "" : "disabled" %> />
Ddene answered 11/10, 2008 at 14:50 Comment(0)
B
8

Similarly to the optimizeCompilations=”true” solution, here another one to speed up the time you spend waiting in between builds (very good especially if you are working with a large project): create a ram-based drive (i.e. using RamDisk) and change your default “Temporary ASP.NET Files” to this memory-based drive.

The full details on how to do this is on my blog: http://www.wagnerdanda.me/2009/11/speeding-up-build-times-in-asp-net-with-ramdisk/

Basically you first and configure a RamDisk (again, in my blog there a link to a free ramdisk) and then you change your web.config according to this:

 <system.web>
 ....
     <compilation debug="true" tempDirectory="R:\ASP_NET_TempFiles\">
     ....
     </compilation>
 ....
 </system.web>

It greatly increase my development time, you just need invest in memory for you computer :)

Happy Programming!

Wagner Danda

Bursarial answered 10/9, 2008 at 18:20 Comment(0)
B
7

Request.IsLocal Property :

It indicates whether current request is coming from Local Computer or not.

if( Request.IsLocal )
{
   LoadLocalAdminMailSettings();
}
else
{
   LoadServerAdminMailSettings();
}
Basra answered 10/9, 2008 at 18:20 Comment(2)
Please also check the following discussion on asp.net forums about security concerns while using Request.IsLocal property forums.asp.net/t/1065813.aspxVallievalliere
Yes better avoid that and use - if DEBUGSashasashay
U
7

I thought it was neat when I dumped a xmlDocument() into a label and it displayed using it's xsl transforms.

Upsetting answered 10/9, 2008 at 21:25 Comment(1)
a literal/placeholder would be more appropriate than a label...Retrace
L
6

By default any web form page inherits from System.Web.UI.Page class. What if you want your pages to inherit from a custom base class, which inherits from System.Web.UI.Page?

There is a way to constraint any page to inherit from your own base class. Simply add a new line on your web.config:

<system.web>
    <pages pageBaseType="MyBasePageClass" />
</system.web>

Caution: this is only valid if your class is a stand-alone one. I mean a class that has no code-behind, which looks like <%@ Page Language="C#" AutoEventWireup="true" %>

Loftis answered 10/9, 2008 at 18:20 Comment(0)
R
5

EnsureChildControls Method : It checks the child controls if they're initiated. If the child controls are not initiated it calls CreateChildControls method.

Rubella answered 10/9, 2008 at 18:20 Comment(0)
T
5

Attach a class located in your App_Code folder to your Global Application Class file.

ASP.NET 2.0 - Global.asax - Code Behind file.

This works in Visual Studio 2008 as well.

Taproot answered 23/9, 2008 at 20:47 Comment(0)
Z
4

Lots of people mentioned how to optimize your code when recompiling. Recently I discovered I can do most of my development (code-behind stuff) in the aspx page and skipping completely the build step. Just save the file and refresh your page. All you have to do is wrap your code in the following tag:

<script runat="server">

   Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load
     Response.Write("Look Ma', I didn't even had to build!")
   End Sub

</script>

Once you are done, Just move all to the code-behind, build, test everything works and voila!

-D

Zoie answered 10/9, 2008 at 18:20 Comment(3)
If you use Web site project instead of web application you can write code in code behind and asp.net will compile it for you behind the scene. You'll not need to compile the project yourself.Hydroponics
Most of the time there are lots of good reasons not to do this.Mcchesney
@Branislav, Yes, but for those using Web Application projects, this is a workaround. @Joel, What reasons? just to be clear, I take this approach only in development and only when working on pieces of code that might result in several trials.Zoie
H
4

You can find any control by using its UniqueID property:

Label label = (Label)Page.FindControl("UserControl1$Label1");
Holle answered 4/10, 2008 at 10:27 Comment(2)
True, but hardcoding the unique ID is bad as it is prone to change between .net runtimes.Burka
UniqueID is also useful for setting a Form's Default / Accept button.Mirna
U
2

'file' attribute on appsettings element in web.config.

Specifies a relative path to an external file that contains custom application configuration settings.

If you have few app settings out of many that need to modified on different environments (prod), this is excellent choice.

Because any changes to the Web.config file cause the application to restart, using a separate file allows users to modify values that are in the appSettings section without causing the application to restart. The contents of the separate file are merged with the appSettings section in the Web.config file.

Uniform answered 10/9, 2008 at 18:20 Comment(0)
A
2

If you use web services instead WCF services, you can still use standard .Net membership to enforce authentication and login session behaviour on a set web services similarly to a how you would secure web site with membership forms authentication & without the need for a special session and/or soap headers implementations by simply calling System.Web.Security.FormsAuthentication.SetAuthCookie(userName, false) [after calling Membership.ValidateUser(userName, password) of course] to create cookie in the response as if the user has logged in via a web form. Then you can retrieve this authentication cookie with Response.Cookies[].Value and return it as a string to the user which can be used to authenticate the user in subsequent calls by re-creating the cookie in the Application_BeginRequest by extracting the
cookie method call param from the Request.InputStream and re-creating the auth cookie before the membership authenticates the request this way the membership provider gets tricked and will know the request is authenticated and enforce all its rules.

Sample web method signature to return this cookie to the user would be: string Login(userName,password)

Sample subsequent web method call would be: string DoSomething(string authcookie,string methodParam1,int methodParam2 etc,etc) where you need to extract authcookie(which is value obtained from Login method) param from the Request.InputStreamis

This also simulates a login session and calling FormsAuthentication.SignOut in a web method like this Logout(authcookie) would make the user need to sign in again.

Anemo answered 10/9, 2008 at 18:20 Comment(0)
R
2

ClientScript property on Page object.

Rubella answered 10/9, 2008 at 18:20 Comment(0)
T
1

Application variables can be used with web application for communicating across the whole application. It is initialized in Global.asax file and used over the pages in that web application by all the user independent of the session they create.

Truncate answered 10/9, 2008 at 18:20 Comment(0)
H
0

Templated user controls. Once you know how they work you will see all sorts of possibilities. Here's the simplest implementation:

TemplatedControl.ascx

The great thing here is using the easy and familiar user control building block and being able to layout the different parts of your UI using HTML and some placeholders.

<%@ Control Language="C#" CodeFile="TemplatedControl.ascx.cs" Inherits="TemplatedControl" %>

<div class="header">
    <asp:PlaceHolder ID="HeaderPlaceHolder" runat="server" />
</div>
<div class="body">
    <asp:PlaceHolder ID="BodyPlaceHolder" runat="server" />
</div>

TemplatedControl.ascx.cs

The 'secret' here is using public properties of type ITemplate and knowing about the [ParseChildren] and [PersistenceMode] attributes.

using System.Web.UI;

[ParseChildren(true)]
public partial class TemplatedControl : System.Web.UI.UserControl
{
    [PersistenceMode(PersistenceMode.InnerProperty)]
    public ITemplate Header { get; set; }

    [PersistenceMode(PersistenceMode.InnerProperty)]
    public ITemplate Body { get; set; }

    void Page_Init()
    {
        if (Header != null)
            Header.InstantiateIn(HeaderPlaceHolder);

        if (Body != null)
            Body.InstantiateIn(BodyPlaceHolder);
    }
}

Default.aspx

<%@ Register TagPrefix="uc" TagName="TemplatedControl" Src="TemplatedControl.ascx" %>

<uc:TemplatedControl runat="server">
    <Header>Lorem ipsum</Header>
    <Body>
        // You can add literal text, HTML and server controls to the templates
        <p>Hello <asp:Label runat="server" Text="world" />!</p>
    </Body>
</uc:TemplatedControl>

You will even get IntelliSense for the inner template properties. So if you work in a team you can quickly create reusable UI to achieve the same composability that your team already enjoys from the built-in ASP.NET server controls.

The MSDN example (same link as the beginning) adds some extra controls and a naming container, but that only becomes necessary if you want to support 'repeater-type' controls.

Houlihan answered 10/9, 2008 at 18:20 Comment(0)
D
0

It's possible to package ASPX pages into a Library (.dll), and serve them with the ASP.NET engine.

You will need to implement your own VirtualPathProvider, which will load via Relfection specific DLL's, or you could include the DLL name in your pathname. It's up to you.

The magic happens when overriding the VirtualFile.Open method, where you return the ASPX file as a resource from the Assembly class: Assembly.GetManifestResourceStream. The ASP.NET engine will process the resource since it is served via the VirtualPathProvider.

This allows to plug-in pages, or like I did, use it to include a HttpHandler with a control.

Deni answered 10/9, 2008 at 18:20 Comment(0)
V
-3

One of the things I use that work with multiple versions of VB, VBScript and VB.NET is to convert the recordset values to string to eliminate muliple tests for NULL or blank. i.e. Trim(rsData("FieldName").Value & " ")
In the case of a whole number value this would be: CLng("0" & Trim(rsData("FieldName").Value & " "))

Vahe answered 10/9, 2008 at 18:20 Comment(3)
This is bad for performance. Also, you shouldn't be using the old recordsets in vb.net.Mcchesney
recordsets / reader - same thing different nameVahe
no significant difference in performance unless you're doing thousands of them.Vahe
K
-6

After the website was published and deployed in the production server, If we need to do some changes on the server side button click event. We can override the existing click event by using the newkeyword in the aspx page itself.

Example

Code Behind Method

 Protected void button_click(sender object, e System.EventArgs) 
  {
     Response.Write("Look Ma', I Am code behind code!")  
  }

OverRided Method:

<script runat="server">   
   Protected void new button_click(sender object, e System.EventArgs) 
  {
     Response.Write("Look Ma', I am overrided method!")  
  }

</script

In this way we can easily fix the production server errors without redeployment.

Kwon answered 10/9, 2008 at 18:20 Comment(6)
Doesn't that get archaic after a while? Why is it not better to manage the build and deployment process properly? My initial reaction is this isn't a "hidden" feature but rather bad use of the well known new keyword.Antebi
We have deployment procedures and checks to avoid anything remotely like this as well as pre-compiling any asp.net anythings...Huckaback
It's not hidden feature, that's for sure! And what's the point in using code-behind if it's going to get overrided in the aspx page? Just to avoid redeploying? It defeats the whole 'code-behind' concept : Separate the code from the presentation layer.Fatback
What's the big deal about redeployment?Twi
this is great if a temp fix needs to be madeHedger
Development on production server...Mend
M
-6

This seems like a huge, vague question... But I will throw in Reflection, as it has allowed me to do some incredibly powerful things like pluggable DALs and such.

Madagascar answered 10/9, 2008 at 18:21 Comment(3)
Reflection is of course not an asp.net hidden feature... and yes, the question is meant to be all encompassing...Wescott
I am not sure what you would define by a 'hidden feature' then. You might think of adding an example of what you consider a hidden feature.Madagascar
I meant, reflection is not specific to asp.net. It is something that you can use even outside of asp.net (for example, in a win forms application)Wescott

© 2022 - 2024 — McMap. All rights reserved.