.NET     Console.WriteLine( "All Things .NET" );
.NET Nerd Blog Home
3.28.2002

 

Web Deployment Installation Gotchas


Just a couple further quick notes about creating the "web setup project" for a web application.

  1. Right click on the "web application folder" and choose "Add", "Project Output".
  2. The standard choices are usually "Primary Output" and "Content Files"
  3. Note the dropdown list for other projects in the current solution! Here you can select outputs from other projects to be included in the installation....
  4. ...BUT...there's a property on each reference that's hard to remember.

    • Right click, properties on a reference for the main web application. The property is Copy Local, and describes whether the output (usually the DLL assembly) for this reference should be copied to the output directory of the project.
    • This way...the "Primary Output" group for the main web application will include all the supporting assemblies in your solution!

  5. Right click on a folder in the right pane and choose "Outputs" to see what will be installed by that folder.


The virtual directory where the installation will put your application is sometimes hard to find. It's shown (along with port, DefaultDocument, Permissions, etc.) in the properties for the "web application folder".


3.20.2002

 

Web Application Deployment


First off, thanks to Gomez for getting me to look at this issue.

The walkthrough explains how to deploy a basic web application, creating a "Web Setup Wizard" project, etc. It creates an MSI installer package that creates a virtual directory in IIS and copies the files to it. I went one step further and created a web application that was dependent on a "business object" project.

So in the Deployment project, you add the "Content Files" and "Primary Output" categories for the default web project. To support the dependent business object project, you simply "add" again, and this time choose the "Primary Output" files from the supporting business object project. (There is a "project" dropdown in the "Add Project Output Group" dialog.)

Tidbits


  • In the deployment project, right side pane, right click on a category and select "outputs". Shows you what's currently in the list to be installed.

  • Probably obvious, but "Contents" are aspx and config files (text stuff), and "Primary Output" are the assemblies from the project.

  • Also obvious, but you can uninstall through the IDE with right click, Uninstall, or in Control Panel, Add/Remove Programs


Why does the runtime c# compiler fire up when I first access the pages?!


I couldn't figure this out for a while - why do I see csc.exe fire up - thinking that I've "built" my web project in the IDE, then installed it - we should be "good to go" the first time someone hits that site. But here's what's happening.

When you install, the text files (aspx, as*x, web.config) are put in the application root directory, and the "code behind" and other supporting assemblies are put in the bin directory. When you first access the page, the runtime detects that the aspx page you are hitting has not been compiled yet....so it compiles it on the fly and puts the output in the Temporary ASP.NET Files\blah\...subdirectory.

You can look at those files with ILDASM to prove to yourself that your page gets compiled there. So...your web site is actually coming out of two locations:
  1. The compiled aspx page code is coming out of Temp ASP.NET files subdirs, even though the source for these script/text files is in the appilcation root. This file will have a class like ASP.WebForm1_aspx that extends WebApp1.WebForm1 (the code behind file)

  2. Your supporting assemblies (including the code-behind classes) are being run out of the application\bin directory. This file will have a class like WebApp1.WebForm1 that extends System.Web.UI.Page


Additional notes:

  • your assemblies are actually "shadow copied" to some other directory by IIS so you may write over the assembly with a new version without stopping the web server

During Development...


When developing a web app with the VS7 IDE, even when you change only the CodeBehind page, sometimes the .aspx page gets saved as well. So when you build the project, the code-behind component will be compiled and ready to go, but the aspx page is now newer than the last compiled version the runtime has seen, so when you first access after an IDE build -- you will see the runtime c# compiler (csc.exe) kick in.

However, even if the aspx page does NOT get saved (and still has an older timestamp), you will still see csc.exe when you first access the page. The reason is that the aspx page has a dependency on the CodeBehind class. So since the CodeBehind class is newer than the page, the page must be recompiled.

You can see this dependency in the "temp asp.net files" directory where the temp assemblies are stored. There is an XML file in that directory for each aspx page (and global.asax). The xml file lists the dependencies of the page, so the runtime will know how to check for "out of date" files.

WOOT!!


3.18.2002

 

Debugging


Tons of good info on debugging in PDC2001 talk.
Some tidbits:

  • Processes dialog - ability to debug more than one process at a time...and detach from process (allowing it to continue to run) at the end of debug session
  • Customize F5 - tell the debugger what to launch (remote process, URL, etc) when hit F5
  • JIT debugging - add <system.winforms.forms jitDebugging="true"/> in configuration section


Debugging ASP.NET


Although you can mostly do this automatically with F5, which attaches to the aspnet_wp.exe process and kicks off a new request...you can also manually attach to the aspnet_wp.exe process...do the debugging...then detach from process!

Remote Debugging ASP.NET


Must have debug components setup on web server machine. Usually this doesn't mean installing vs.net -- rather run the install and choose "remote component setup". You must be admin to debug, and the installation adds the user doing the install to the debugger group.

Trace & Debug


Both have same methods - Debug is for development, and Trace is for deployment.

  • Calls on Debug class will be skipped by compiler in release builds - since the DEBUG symbol is not defined (project properties, build, code generation).
  • Calls on Trace class will be included (by default, TRACE is defined for release build), but can be turned on/off with config files.


Trace output by default goes to DefaultTraceListener (OutputDebugString). Also have EventLogTraceListener and TextWriterTraceListener. Use Trace.WriteLineIf( someSwitch.Enabled, "i am here" ); Setup config file entry like so:

<configuration>
<system.diagnostics>
<switches>
<add name="mySwitch" value="10" />
<add name="myNewSwitch" value="20" />
</switches>
</system.diagnostics>
</configuration>

With the above settings and code, trace output will go to OutputDebugString target (usually the currently attached debugger).

Users out in the field can't usually capture OutputDebugString, so configure a "listener" in the config file.

<system.diagnostics>
<trace autoflush="true" indentsize="4">
<listeners>
<add name="lis" type="Sytsem.Diagnostics.TextWriterTraceListener"
initializeData="c:\trace.log"/>
</listeners>
</trace>
</system.diagnostics>


Tracing ASP.NET


This is completely different that tracing a .NET process as described above. We really need to trace a given request through the aspnet_wp.exe process. Do this with Trace class - which is different than the Trace class used above. Trace is a property of type TraceContext in the System.Web.UI.Page class. Warn and Write methods are identical, except Warn output comes out bold red in the trace output.
Enable application level tracing (all pages in the directory/application) with:

<trace enabled="true" pageOuput="false"/>

Then browse to trace.axd in web application root directory to view trace results. Set pageOutput="false" to view the trace output on the page itself. You can also enable page level tracing with <%@ Page trace="true" >

Hidden Goodies


Expand your types automatically in the debugger watch windows (IDE reads these files only at startup):

  • mcee_cs.dat --- c#
  • mcee_mc.dat --- managed c++

( found in MS VS.NET\common7\packages\debugger )



3.15.2002

 

Simple Performance Counter



PerformanceCounter pc = new PerformanceCounter(
"CategoryName", "CounterName", "InstanceName", false );
pc.IncrementBy( 1 );


3.14.2002

 


 

Simple NT Event Logging


global.asax

Application_Start {
string LogName = "DanSource";
if ( EventLog.SourceExists( LogName ) == false )
EventLog.CreateEventSource( LogName, LogName );
}

Application_Error {
string msg = String.Format( "error in {0}, text = {1}",
Request.Path, Server.GetLastError.ToString() );
EventLog evt = new EventLog();
evt.Source = LogName;
evt.WriteEntry( msg, EventLogEntryType.Error );
}


Use this in conjunction with web.config setting of customErrors mode="On".
Users will be redirected to the error page, but you will still log events or send email or whatever with the details of the error.

Deja dudes talked about security issues when trying to write to event log from within asp.net application.
More info here.

Note: Couldn't get this to work from WinForms app. The 2nd param to CreateEventSource is the log where to create the source. If left empty string, this defaults to "Application" log. I couldn't get events to log to the application log. If you provide a log name there, then you get a completely new log, different from application, where the events will indeed show up.



3.13.2002

 

ASP.NET Tracing


Docs show most of the info for the required elements - pretty straight forward.
However, the output timings are cool:

  • From First - time since the first trace statement
  • From Last - time since the previous trace statement

Microsoft ASP.NET QuickStarts Tutorial


 

Filter Rows from DataTable into another DataTable




DataTable tNew = new DataTable("LowNumberedNodes");
DataRow[] rows = ds.Tables[0].Select( "T1NID < 5" );
for ( int i=0; i<rows.Length; i++ )
tNew.ImportRow( rows[i] );

Thanks to Kraldon for pointing out the c# way of doing this would be:

DataTable tNew = new DataTable("LowNumberedNodes");
foreach ( DataRow r in ds.Tables[0].Select( "T1NID < 5" ) )
tNew.ImportRow( r );


 

Command Window



There are actually 2 modes - "immediate" and "command", combining the VB6 immediate mode with a sort of DOS-like command window.


Immediate mode is for when you are debugging and want to check a variable, print out some value, etc. Get to immedate mode with "immed"


Command mode is for automating the IDE, and it provides intellisense. Get to command mode with ">cmd". You can do things like open a document. save all files, etc. (Still haven't figured out why this is useful - especially only when you are debugging -- maybe it's available at all times while editing in the IDE). There is a cool feature of command mode where you asign an "alias" to a set of commands, so it can do a bunch of stuff for you.



 

Protected Multiple Thread Access



[Synchronization] attribute on a class (compiler only allows this at class level) to protect all methods/fields in that class from being accessed by more than one thread at a time.

Fawcette.com - Make Synchronization Automatic


3.12.2002

 

ASP.NET Tracing



Easy, but powerful. Add Trace.Write( "foo" ); somewhere in your code-behind page, and then turn on trace output in the web.config file.

<trace
enabled="true"
requestLimit="10"
pageOutput="false"
traceMode="SortByTime"
localOnly="true"
/>


Now browse to your application root directory, for the file named trace.axd. In the details for the given page, under "Trace Information", you will see your trace output, along with timings.


 

Lists, Grids, Repeaters



A good place to start is MSDN library comparison of functionalities.

  • Table gives programatic control of the HTML table element
  • Repeater is for simple, read-only output, layout list by creating templates
  • DataList provides data-binding output with editing, non-tabular lists, easily customizable output, WYSIWYG editing, horizontal or vertical layout
  • DataGrid provides full-featured data-binding output with editing, paging, auto-format, customizable with templates, edit/update/delete contents, sorting

Repeater, DataList, DataGrid are all considered "list" controls, and therefore have automatic data-binding capabilities. For the DataSource property, you can provide any object that supports the IEnumerable interface.

Table Server Control

Use this anytime you want to add rows/columns at runtime. Not inherently data-bound, have to do this yourself.
NOTE: Controls you add dynamically to a web forms page do not automatically become part of the page's view state. The controls and their values are not saved during a round-trip to the server. You are responsible for saving this state yourself.

TableRow tr = null;
TableCell tc = null;
for ( int j=0; j<2; j++ )
{
tr = new TableRow();
Table1.Rows.Add( tr );
for (int i = 0; i<3; i++ )
{
tc = new TableCell();
tc.Text = "Row " + j + ", Cell " + i;
tr.Cells.Add( tc );
}
// add a "control" to a cell instead of just plain text
tc = new TableCell();
tc.Controls.Add( new LiteralControl( "Search " ));
System.Web.UI.WebControls.HyperLink h = new HyperLink();
h.Text = "MSDN";
h.NavigateUrl = "http://msdn.microsoft.com";
tc.Controls.Add( h );
tr.Cells.Add( tc );
}


Repeater Server Control

Data bound container that produces a list of individual items. You define the layout of individual items on a web page using templates. When the page is run, the control repeats the layout for each item in the datasource.
This control does not inerently produce a table for output - it can produce any kind of list, such as:

  • table layout
  • comma separated list ( "a, b, c, d, ... " )
  • bulleted or numbered list


Templates can contain any combination of HTML text and controls.

  • ItemTemplate - rendered once for each row in data source.
  • AlternatingItemTemplate - rendered for every other row in the data source.
  • HeaderTemplate & FooterTemplate - rendered before and after all rows in the data source
  • SeparatorTemplate - render between each row, such as line breaks, <BR>, etc.


Add the following elements to the tag.

<ItemTemplate>
<%# DataBinder.Eval(Container, "DataItem.T1NAME") %>
<%# DataBinder.Eval(Container, "DataItem.T1NID") %>
,
</ItemTemplate>


ItemCreated event is where you can customize each item before rendering.
RepeaterItemEventArgs - use e.Item.DataItem to get DataRowView object, then Row property.
e.Item.DataItem.Row[3] will give the 3rd column of the current row for this item in the repeater. (Couldn't get this to work)


DataList Server Control



Displays data in format you can define using templates, most useful for displaying rows of data. Optionally, you can configure to have edit or delete functionality, as well as selecting rows. DataList has all the templates the Repeater control has plus the following:


  • SelectedItemTemplate - elements to render when user selects this row. Typically to visually mark the row with a background color, or to expand the item by displaying additional fields from the datasource.
  • EditItemTemplate - layout of an item when it's in edit mode. Typically contains edit controls such as EditBox.


Item Layout


  • Flow vs. Table - flow renders items inline. Table renders into an HTML table, allowing you to set table cell properties.
  • Vertical vs. Horizontal ordering - by default, items are rendered in single vertical column. Can specify more than one vertical column, as well as ordered vertically (newspaper) or horizontally (calendar).
  • Number of columns


Not a lot of code to get this list to display, mostly design time stuff. Probably can adjust these properties at runtime too.
Right click on DataList, Edit Template, Item Templates. Now add any text, controls, etc. You can data-bind any control you put in there (such as Label, EditBox, etc). Properties on the control, DataBindings -- for the Text property, put in a custom binding expression like DataBinder.Eval(Container, "DataItem.T1NAME"). (Couldn't get the simple bindings to work -- it would just show DataRowView type name for all datasource rows)
When finished editing, right click on Templates, End Template Editing.

(... gave up on edit and select modes)

Create Templates Dynamically

Save a template as an .ascx file, then in Page_Init, call

DataList1.AlternatingItemTemplate = Page.LoadTemplate( "NewTemplate.ascx" );


DataGrid Server Control

ItemDataBound event - last chance to change anything about a given row in the table, as it's being bound.
Use e.Item.Visible = false to hide that row.
Use e.Item.Cells[3].Text for example to access the data in each cell of the current row.
Things like e.Item.Cells[2].Visible = false; e.Item.Cells[1].ColumnSpan = 2; also work!
Or change the color of a row with e.Item.BackColor = Color.Red




3.05.2002

 


 

ASP.NET Caching



From Visual Studio Magazine, March 5, 2002

  • system level (runtime provided) caching, persisting compiled pages on a per-application basis
  • application level, persisting output of static pages
  • page level, access to new Cache object that works side-by-side with Session and Application (see "tidbits" below)



<%@ OutputCache
Duration="seconds"
Location="where"
VaryByCustom="custom"
VaryByHeader="headers"
VaryByParam="paramname"
%>


5 Vital Caching Tips


Cache and Carry With ASP.NET (Dino Espisito)



A couple more caching tidbits


  • Store cache expiration settings in a centralized place. Instead of DB, try writing an "application settings" object that persists itself to xml on disk. Can reload the settings from disk whenever you want (from admin page, or from the code detecting a change in the file timestamp)
  • Cache object is thread-safe from any page with Insert and Item methods, while the Application object must be wrapped with calls to Lock/Unlock
  • Cache object has timeout settings when the data you insert will be thrown away
  • Can "listen" for cache item expirations with CacheItemRemovedCallback delegate



3.04.2002

 

Runtime Callable Wrappers



Just a couple notes about calling COM objects from managed code. We had some discussions about all this at my latest G.NET brain dump session.




  • Locallay declared runtime callable wrapper object becomes garbage when it goes out of scope.
  • COM object that is being wrapped will be released at the next garbage collection.
  • Force immediate release of RCW's internal COM object with Marshal.ReleaseComObject() [from System.Runtime.InteropServices]



Late-binding a COM object


System.Type ComType = Type.GetTypeFromProgID( "foo.foo.1" );
System.Object ComObj = Activator.CreateInstance( ComType );
ComType.InvokeMember( "MethodNameHere",
Reflection.BindingFlags.InvokeMethod, null,
ComObj, params );




Powered by Blogger