Language

Introducing ASP.NET Web Pages 2 - Programming Basics

By |

This tutorial gives you an overview of how to program in ASP.NET Web Pages with Razor syntax.

Level: Beginner to ASP.NET Web Pages
Skills assumed: HTML, CSS
Prerequisites:
    ASP.NET Web Pages 2
    WebMatrix 2 (download described in Getting Started With Web Pages)
Downloads: Completed website for the ASP.NET Web Pages introductory tutorial

What you'll learn:

  • The basic "Razor" syntax that you use for programming in ASP.NET Web Pages.
  • Some basic C#, which is the programming language you'll use.
  • Some fundamental programming concepts for Web Pages.
  • How to install packages (components that contain prebuilt code) to use with your site.
  • How to use helpers to perform common programming tasks.

Features/technologies discussed:

  • NuGet and the package manager.
  • The Twitter helper.

This tutorial is primarily an exercise in introducing you to the programming syntax that you'll use for ASP.NET Web Pages. You'll learn about Razor syntax and code that's written in the C# programming language. You got a glimpse of this syntax in the previous tutorial; in this tutorial we'll explain the syntax more.

We promise that this tutorial involves the most programming that you'll see in a single tutorial, and that it's the only tutorial that is only about programming. In the remaining tutorials in this set, you'll actually create pages that do interesting things.

You'll also learn about helpers. A helper is a component — a packaged-up piece of code — that you can add to a page. The helper performs work for you that otherwise might be tedious or complex to do by hand.

Creating a Page to Play with Razor

In this section you'll play a bit with Razor so you can get a sense of the basic syntax.

Start WebMatrix if it's not already running. You'll use the website you created in the previous tutorial (Getting Started With Web Pages). To reopen it, click Open Site and choose My Sites:

WebMatrix start screen showing the Open Site options and My Sites highlighted

Choose the WebPagesMovies site, and then click OK.

WebMatrix 'Choose a Site' dialog box showing WebPagesMovies site selected

Select the Files workspace.

In the ribbon, click New to create a page. Select CSHTML and name the new page TestRazor.cshtml.

Click OK.

Copy the following into the file, completely replacing what's there already.

Note   When you copy code or markup from the examples into a page, the indentation and alignment might not be the same as in the tutorial. Indentation and alignment don't affect how the code runs, though.
@{
   // Working with numbers
   var a = 4;
   var b = 5;
   var theSum = a + b;

   // Working with characters (strings)
   var technology = "ASP.NET";
   var product ="Web Pages";

   // Working with objects
   var rightNow = DateTime.Now;
}

<!DOCTYPE html>
<html lang="en">
  <head>
    <title>Testing Razor Syntax</title>
    <meta charset="utf-8" />
    <style>
    body {font-family:Verdana; margin-left:50px; margin-top:50px;}
    div {border: 1px solid black; width:50%; margin:1.2em;padding:1em;}
    span.bright {color:red;}
    </style>
  </head>
<body>
  <h1>Testing Razor Syntax</h1>
  <form method="post">

    <div>
      <p>The value of <em>a</em> is @a.  The value of <em>b</em> is @b.
      <p>The sum of <em>a</em> and <em>b</em> is <strong>@theSum</strong>.</p>
      <p>The product of <em>a</em> and <em>b</em> is <strong>@(a*b)</strong>.</p>
    </div>

    <div>
      <p>The technology is @technology, and the product is @product.</p>
      <p>Together they are <span class="bright">@(technology + " " + product)</span></p>
   </div>

   <div>
     <p>The current date and time is: @rightNow</p>
     <p>The URL of the current page is<br/><br/><code>@Request.Url</code></p>
   </div>

  </form>
</body>
</html>

Examining the Example Page

Most of what you see is ordinary HTML. However, at the top there's this code block:

@{
   // Working with numbers.
   var a = 4;
   var b = 5;
   var theSum = a + b;

   // Working with characters (strings).
   var technology = "ASP.NET";
   var product ="Web Pages";

   // Working with objects.
   var rightNow = DateTime.Now;
}

Notice the following things about this code block:

  • The @ character tells ASP.NET that what follows is Razor code, not HTML. ASP.NET will treat everything after the @ character as code until it runs into some HTML again. (In this case, that's the <!DOCTYPE> element.

  • The braces ( { and } ) enclose a block of Razor code if the code has more than one line. The braces tell ASP.NET where the code for that block starts and ends.

  • The // characters mark a comment — that is, a part of the code that won't execute.

  • Each statement has to end with a semicolon (;). (Not comments, though.)

  • You can store values in variables, which you create (declare) with the keyword var.  When you create a variable, you give it a name, which can include letters, numbers, and underscore (_). Variable names can't start with a number and can't use the name of a programming keyword (like var).

  • You enclose character strings (like "ASP.NET" and "Web Pages") in quotation marks. (They must be double quotation marks.) Numbers are not in quotation marks.

  • Whitespace outside of quotation marks doesn't matter. Line breaks mostly don't matter; the exception is that you can't split a string in quotation marks across lines. Indentation and alignment don't matter.

Something that's not obvious from this example is that all code is case sensitive. This means that the variable TheSum is a different variable than variables that might be named theSum or thesum. Similarly, var is a keyword, but Var is not.

Objects and properties and methods

Then there's the expression DateTime.Now. In simple terms, DateTime is an object. An object is a thing that you can program with—a page, a text box, a file, an image, a web request, an email message, a customer record, etc. Objects have one or more properties that describe their characteristics. A text box object has a Text property (among others), a request object has a Url property (and others), an email message has a From property and a To property, and so on. Objects also have methods that are the "verbs" they can perform. You'll be working with objects a lot.

As you can see from the example, DateTime is an object that lets you program dates and times. It has a property named Now that returns the current date and time.

Using code to render markup in the page

In the body of the page, notice the following:

<div>
  <p>The value of <em>a</em> is @a.  The value of <em>b</em> is @b.
  <p>The sum of <em>a</em> and <em>b</em> is <strong>@theSum</strong>.</p>
  <p>The product of <em>a</em> and <em>b</em> is <strong>@(a*b)</strong>.</p>
</div>

<div>
  <p>The technology is @technology, and the product is @product.</p>
  <p>Together they are <span class="bright">@(technology + " " + product)</span></p>
</div>

<div>
  <p>The current date and time is: @rightNow</p>
     <p>The URL of the current page is<br/><br/><code>@Request.Url</code></p>
</div>

Again, the @ character tells ASP.NET that what follows is code, not HTML. In the markup you can add @ followed by a code expression, and ASP.NET will render the value of that expression right at that point. In the example, @a will render whatever the value is of the variable named a, @product renders whatever is in the variable named product, and so on.

You're not limited to variables, though. In a few instances here, the @ character precedes an expression:

  • @(a*b) renders the product of whatever is in the variables a and b. (The * operator means multiplication.)

  • @(technology + " " + product) renders the values in the variables technology and product after concatenating them and adding a space in between. The operator (+) for concatenating strings is the same as the operator for adding numbers. ASP.NET can usually tell whether you're working with numbers or with strings and does the right thing with the + operator.

  • @Request.Url renders the Url property of the Request object. The Request object contains information about the current request from the browser, and of course the Url property contains the URL of that current request.

The example is also designed to show you that you can do work in different ways. You can do calculations in the code block at the top, put the results into a variable, and then render the variable in markup. Or you can do calculations in an expression right in the markup. The approach you use depends on what you're doing and, to some extent, on your own preference.

Seeing the code in action

Right-click the name of the file and then choose Launch in browser. You see the page in the browser with all the values and expressions resolved in the page.

'TestRazor' page running in browser

Look at the source in the browser.

'Test Razor' page source in the browser

As you expect from your experience in the previous tutorial, none of the Razor code is in the page. All you see are the actual display values. When you run a page, you're actually making a request to the web server that's built into WebMatrix. When the request is received, ASP.NET resolves all the values and expressions and renders their values into the page. It then sends the page to the browser.

Adding Some Conditional Logic

One of the great features about using code in a page is that you can change what happens based on various conditions. In this part of the tutorial, you'll play around with some ways to change what's displayed in the page.

The example will be simple and somewhat contrived so that we can concentrate on the conditional logic. The page you'll create will do this:

  • Show different text on the page depending on whether it's the first time the page is displayed or whether you've clicked a button to submit the page. That will be the first conditional test.
  • Display the message only if a certain value is passed in the query string of the URL (http://...?show=true). That will be the second conditional test.

In WebMatrix, create a page and name it TestRazorPart2.cshtml. (In the ribbon, click New, choose CSHTML, name the file, and then click OK.)

Replace the contents of that page with the following:

@{
   var message = "This is the first time you've requested the page.";
}
<!DOCTYPE html>
<html lang="en">
  <head>
    <title>Testing Razor Syntax - Part 2</title>
    <meta charset="utf-8" />
    <style>
      body {font-family:Verdana; margin-left:50px; margin-top:50px;}
      div {border: 1px solid black; width:50%; margin:1.2em;padding:1em;}
    </style>
  </head>
  <body>
  <h1>Testing Razor Syntax - Part 2</h1>
  <form method="post">
    <div>
      <p>@message</p>
      <p><input type="submit" value="Submit" /></p>
  </div>
  </form>
</body>
</html>

The code block at the top initializes a variable named message with some text. In the body of the page, the contents of the message variable are displayed inside a <p> element. The markup also contains an <input> element to create a Submit button.

Run the page to see how it works now. For now, it's basically a static page, even if you click the Submit button.

Go back to WebMatrix. Inside the code block, add the following code after the line that initializes message:

if(IsPost){
   message = "Now you've submitted the page.";
}

The if{ } block

What you just added was an if condition. In code, the if condition has a structure like this:

if(some condition){
    One or more statements here that run if the condition is true;

The condition to test is in parentheses. It has to be a value or an expression that returns true or false. If the condition is true, ASP.NET runs the statement or statements that are inside the braces. (Those are the then part of the if-then logic.) If the condition is false, the block of code is skipped.

Here are a few examples of conditions you can test in an if statement:

if( currentValue > 12 ){ ... }

if( dueDate <= DateTime.Today ) { ... }

if( IsDone == true ) { ... }

if( IsPost ) { ... }

if( !IsPost ) { ... }

if(a != 0) { ... }

if( fileProcessingIsDone != true && displayMessage == false ) { ... } 

You can test variables against values or against expressions by using a logical operator or comparison operator: equal to (==), greater than (>), less than (<), greater than or equal to (>=), and less than or equal to (<=). The != operator means not equal to — for example, if(a != 0) means if a is not equal to 0.

Note   Make sure you notice that the comparison operator for equals to (==) is not the same as =. The = operator is used only to assign values (var a=2). If you mix these operators up, you'll either get an error or you'll get some strange results.

To test whether something is true, the complete syntax is if(IsDone == true). But you can also use the shortcut if(IsDone). If there's no comparison operator, ASP.NET assumes that you're testing for true.

The ! operator by itself means a logical NOT. For example, the condition if(!IsPost) means if IsPost is not true.

You can combine conditions by using a logical AND (&& operator) or logical OR (|| operator). For example, the last of the if conditions in the preceding examples means if FileProcessingIsDone is set to true AND displayMessage is set to false.

The else block

One final thing about if blocks: an if block can be followed by an else block. An else block is useful is you have to execute different code when the condition is false. Here's a simple example:

var message = "";
if(errorOccurred == true)
{
    message = "Sorry, an error occurred."; 
}
else
{
     message = "The process finished without errors!";
}

You'll see some examples in later tutorials in this series where using an else block is useful.

Testing whether the request is a submit (post)

There's more, but let's get back to the example, which has the condition if(IsPost){ ... }. IsPost is actually a property of the current page. The first time the page is requested, IsPost returns false. However, if you click a button or otherwise submit the page — that is, you post it — IsPost returns true. So IsPost lets you determine whether you're dealing with a form submission. (In terms of HTTP verbs, if the request is a GET operation, IsPost returns false. If the request is a POST operation, IsPost returns true.) In a later tutorial you'll work with input forms, where this test becomes particularly useful.

Run the page. Because this is the first time you're requested the page, you see "This is the first time you've requested the page". That string is the value that you initialized the message variable to. There's an if(IsPost) test, but that returns false at the moment, so the code inside the if block doesn't run.

Click the Submit button. The page is requested again. As before, the message variable is set to "This is the first time ...".  But this time, the test if(IsPost) returns true, so the code inside the if block runs. The code changes the value of the message variable to a different value, which is what's rendered in the markup.

Now add an if condition in the markup. Below the <p> element that contains the Submit button, add the following markup:

@if(IsPost){
  <p>You submitted the page at @DateTime.Now</p>
}

You're adding code inside the markup, so you have to start with @. Then there's an if test similar to the one you added earlier up in the code block. Inside the braces, though, you're adding ordinary HTML — at least, it's ordinary until it gets to @DateTime.Now. This is another little bit of Razor code, so again you have to add @ in front of it.

The point here is that you can add if conditions in both the code block at the top and in the markup.  If you use an if condition in the body of the page, the lines inside the block can be markup or code. In that case, and as is true anytime you mix markup and code, you have to use @ to make it clear to ASP.NET where the code is.

Run the page and click Submit.  This time you not only see a different message when you submit ("Now you've submitted ..."), but you see a new message that lists the date and time.

'Test Razor 2' page running in browser with timestamp showing after submit

Testing the value of a query string

One more test. This time, you'll add an if block that tests a value named show that might be passed in the query string.  (Like this: http://localhost:43097/TestRazorPart2.cshtml?show=true) You'll change the page so that the message you've been displaying ("This is the first time ...", etc.) is only displayed if the value of show is true.

At the bottom (but inside) the code block at the top of the page, add the following:

var showMessage = false;
if(Request.QueryString["show"].AsBool() == true){
    showMessage = true;
}

The complete code block now look like the following example. (Remember that when you copy the code into your page, the indentation might look different. But that doesn't affect how the code runs.)

@{
   var message = "This is the first time you've requested the page.";

   if(IsPost){
      message = "Now you've submitted the page.";
   }

   var showMessage = false;
   if(Request.QueryString["show"].AsBool() == true){
     showMessage = true;
   }
}

The new code in the block initializes a variable named showMessage to false. It then does an if test to look for a value in the query string. When you first request the page, it has a URL like this one:

http://localhost:43097/TestRazorPart2.cshtml

The code determines whether the URL contains a variable named show in the query string, like this version of the URL:

http://localhost:43097/TestRazorPart2.cshtml?show=true

The test itself looks at the QueryString property of the Request object. If the query string contains an item named show, and if that item is set to true, the if block runs and sets the showMessage variable to true.

There's a trick here, as you can see. Like the name says, the query string is a string. However, you can only test for true and false if the value you're testing is a Boolean (true/false) value. Before you can test the value of the show variable in the query string, you have to convert it to a Boolean value. That's what the AsBool method does — it takes a string as input and converts it to a Boolean value. Clearly, if the string is "true", the AsBool method converts that value to true.  If the value of the string is anything else, AsBool returns false.

In the markup of the page, remove or comment out this element (here it's shown commented out):

<!-- <p>@message</p> -->

Right where you removed or commented out that text, add the following:

@if(showMessage){
  <p>@message</p>
}   

The if test says that if the showMessage variable is true, render a <p> element with the value of the message variable.

Summary of your conditional logic

In case you're not entirely sure of what you've just done, here's a summary.

  • The message variable is initialized to a default string ("This is the first time ...").
  • If the page request is the result of a submit (post), the value of message is changed to "Now you've submitted ..."
  • The showMessage variable is initialized to false.
  • If the query string contains ?show=true , the showMessage variable is set to true.
  • In the markup, if showMessage is true, a <p> element is rendered that shows the value of message. (If showMessage is false, nothing is rendered at that point in the markup.)
  • In the markup, if the request is a post, a <p> element is rendered that displays the date and time.

Run the page. There's no message, because showMessage is false, so in the markup the if(showMessage) test returns false.

Click Submit. You see the date and time, but still no message.

In your browser, go to the URL box and add the following to the end of the URL: ?show=true and then press Enter.

'Test Razor 2' page in browser showing query string

The page is displayed again. (Because you changed the URL, this is a new request, not a submit.) Click Submit again. The message is displayed again, as is the date and time.

'Test Razor 2' page after submit when there is a query string

In the URL, change ?show=true to ?show=false and press Enter. Submit the page again. The page is back to how you started — no message.

As noted earlier, the logic of this example is a little contrived. However, if is going to come up in many of your pages, and it will take one or more of the forms you've seen here.

Installing a Helper (Displaying a Twitter Feed)

Some tasks that people often want to do on web pages require a lot of code or require extra knowledge. Examples: displaying a chart for data; putting a Facebook "Like" button on a page; sending email from your website; cropping or resizing images; using PayPal for your site. To make it easy to do these kinds of things, ASP.NET Web Pages lets you use helpers. Helpers are components that you install for a site and that let you perform typical tasks by using just a few lines of Razor code.

ASP.NET Web Pages has a few helpers built in. However, many helpers are available in packages (add-ins) that are provided using the NuGet package manager. NuGet lets you select a package to install and then it takes care of all the details of the installation.

In this part of the tutorial, you'll install a helper that lets you manage a Twitter feed. You'll learn two things. One is how to find and install a helper. You'll also learn how a helper makes it easy to do something you'd otherwise need to do by using a lot of code you'd have to write yourself.

In WebMatrix, click the Gallery button.

NuGet Gallery dialog box in WebMatrix

This launches the NuGet package manager and displays available packages. (Not all of the packages are helpers; some add functionality to WebMatrix itself, some are additional templates, and so on.)

NuGet Gallery dialog box in WebMatrix

In the search box, enter "Twitter". NuGet shows the packages that have Twitter functionality. (The link underneath the package icon links to details about that package.)

NuGet Gallery in WebMatrix showing Twitter packages

Select the Twitter.Helper package and then click Install to launch the installer. When it's done,  you see a message in the notification area at the bottom of the screen.

WebMatrix notification bar after successful package installation

That's it. NuGet downloads and installs everything, including any additional components that might be required (dependencies). Since this is the first time you've installed a helper, NuGet also creates folders in your website for the code that makes up the helper.

If for some reason you have to uninstall a helper, the process is very similar. Click the Gallery button, click the Installed tab, and pick the package you want to uninstall.

Using a Helper in a Page

Now you'll use the Twitter helper that you just installed. The process for adding a helper to a page is similar for most helpers.

In WebMatrix, create a page and name it TwitterTest.cshml. (You're creating a special page to test the helper, but you can use helpers in any page in your site.)

Inside the <body> element, add a <div> element. Inside the <div> element, type this:

@TwitterGoodies.

The @ character is the same character you've been using to mark Razor code. TwitterGoodies is the helper object that you're working with.

As soon as you type the period (.), WebMatrix displays a list of methods (functions) that the TwitterGoodies helper makes available:

Twitter helper IntelliSense drop-down list

This feature is known as IntelliSense. It helps you code by providing context-appropriate choices. IntelliSense works with HTML, CSS, ASP.NET code, JavaScript, and other languages that are supported in WebMatrix. It's another feature that makes it easier to develop web pages in WebMatrix.

Press S on the keyboard, and you see that IntelliSense finds the Search method:

IntelliSense showing the Search method selected after you press S on the keyboard.

Press Tab. IntelliSense inserts the selected method (Search) for you. Type an open parenthesis ( ( ), then the string "webmatrix" in quotation marks, then a closing parenthesis ( ) ). When you're done, the line looks like this:

@TwitterGoodies.Search("webmatrix")

The Search method finds tweets that contain the string that you specify — in this case, it will look for tweets that mention "webmatrix". (Either in text or in hashtags.)

Run the page. You see a Twitter feed. (It might take a few moments for the feed to start populating.)

Twitter feed in page as created by Twitter helper

To get an idea of what the helper is doing for you, view the source of the page in the browser.  Along with the HTML that you had in your page, you see a block of JavaScript code that looks roughly like the following block. (It might be all on one line or otherwise compressed.)

<script> new TWTR.Widget({ version: 2, type: 'search', search: 'webmatrix', interval: 6000, title: '', subject: '', width: 250, height: 300, theme: { shell: { background: '#8ec1da', color: '#ffffff' }, tweets: { background: '#ffffff', color: '#444444', links: '#1985b5' } }, features: { scrollbar: false, loop: true, live: true, hashtags: true, timestamp: true, avatars: true, toptweets: true, behavior: 'all' } }).render().start(); </script>

This is code that the helper rendered into the page at the place where you had @TwitterGoodies.Search. (There's also some markup that's not shown here.) The helper took the information you provided and generated the code that talks directly to Twitter in order to get back the Twitter feed that you see. If you know the Twitter programming interface (API), you can create this code yourself. But because the helper can do it for you, you don't have to know the details of how to communicate with Twitter. And even if you are familiar with the Twitter API, it's a lot easier to include the TwitterGoodies helper on the page and let it do the work.

Return to the page. At the bottom, inside the <body> element, add the following code. Substitute your own Twitter account name if you have one.

<div>
    @TwitterGoodies.FollowButton("microsoft")
</div>

This code calls the FollowButton method of the TwitterGoodies helper. As you can guess, the method adds a Follow Me on Twitter button. You pass a Twitter name to this method to indicate who to follow.

Run the page and you see the Follow Me button:

'Follow Me' button in page as rendered by Twitter helper

Click it, and you go to the Twitter page for the user you specified.

As before, you can look at the source of the page in the browser to see what the Twitter helper generated for you. This time the code looks something like the following example:

<a href="http://www.twitter.com/microsoft"><img src="http://twitter-badges.s3.amazonaws.com/follow_me-a.png" alt="Follow microsoft on Twitter"/></a>

Again, you could have written this code yourself, but the helper makes it much easier.

Coming Up Next

To keep this tutorial short, we had to focus on only a few basics. Naturally, there's a lot more to Razor and C#. You'll learn more as you go through these tutorials. If you're interested in learning more about the programming aspects of Razor and C# right now, you can read a more thorough introduction here:  Introduction to ASP.NET Web Programming Using the Razor Syntax.

The next tutorial introduces you to working with a database. In that tutorial, you'll begin creating the sample application that lets you list your favorite movies.

Complete Listing for TestRazor Page

@{
   // Working with numbers
   var a = 4;
   var b = 5;
   var theSum = a + b;

   // Working with characters (strings)
   var technology = "ASP.NET";
   var product ="Web Pages";

   // Working with objects
   var rightNow = DateTime.Now;
}

<!DOCTYPE html>
<html lang="en">
  <head>
    <title>Testing Razor Syntax</title>
    <meta charset="utf-8" />
    <style>
    body {font-family:Verdana; margin-left:50px; margin-top:50px;}
    div {border: 1px solid black; width:50%; margin:1.2em;padding:1em;}
    span.bright {color:red;}
    </style>
  </head>
<body>
  <h1>Testing Razor Syntax</h1>
  <form method="post">

    <div>
      <p>The value of <em>a</em> is @a.  The value of <em>b</em> is @b.
      <p>The sum of <em>a</em> and <em>b</em> is <strong>@theSum</strong>.</p>
      <p>The product of <em>a</em> and <em>b</em> is <strong>@(a*b)</strong>.</p>
    </div>

    <div>
      <p>The technology is @technology, and the product is @product.</p>
      <p>Together they are <span class="bright">@(technology + " " + product)</span></p>
   </div>

   <div>
     <p>The current date and time is: @rightNow</p>
     <p>The URL of the current page is<br/><br/><code>@Request.Url</code></p>
   </div>

  </form>
</body>
</html>

Complete Listing for TestRazorPart2 Page

@{
   var message = "This is the first time you've requested the page.";

   if(IsPost){
      message = "Now you've submitted the page.";
   }

   var showMessage = false;
   if(Request.QueryString["show"].AsBool() == true){
     showMessage = true;
   }
}

<!DOCTYPE html>
<html lang="en">
  <head>
    <title>Testing Razor Syntax - Part 2</title>
    <meta charset="utf-8" />
    <style>
      body {font-family:Verdana; margin-left:50px; margin-top:50px;}
      div {border: 1px solid black; width:50%; margin:1.2em;padding:1em;}
    </style>
  </head>
  <body>
  <h1>Testing Razor Syntax - Part 2</h1>
  <form method="post">
    <div>
      <!--<p>@message</p>-->
      @if(showMessage){
        <p>@message</p>
      }
      <p><input type="submit" value="Submit" /></p>
      @if(IsPost){
        <p>You submitted the page at @DateTime.Now</p>
      }
    </div>
  </form>
</body>
</html>

Complete Listing for TwitterTest Page

@{
}
<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="utf-8" />
        <title></title>
    </head>
    <body>
        <div>
        @TwitterGoodies.Search("webmatrix")
        </div>

        <div>
        @TwitterGoodies.FollowButton("microsoft")
        </div>
    </body>
</html>

Additional Resources

Mike Pope

By Mike Pope, Mike Pope is a programmer writer on Microsoft's Web Platform & Tools Content Team.