Interviewed by Richard Seroter

Those who are in BizTalk/CSD space long enough would have known the one and only Richard Seroter and his famous Interview Series. Richard is well know in the community for his prolific blog. He is the author of the books SOA Patterns with BizTalk Server 2009 and Applied Architecture Patterns on the Microsoft Platform.

Recently, I had the pleasure of taking part in his interview series http://seroter.wordpress.com/2010/07/01/interview-series-four-questions-with-saravana-kumar/ I need to thank him for the opportunity. I believe its always difficult to come up with the question than answering them. Keep up the good work Richard.

Nandri,

Saravana

Handling of authentication for LOB Activities

The LOB Activities need to authenticate with the LOB before they can perform any operations. The Send activity in Windows Workflow Foundation 4.0, which is how a workflow can invoke a WCF service operation, presently does not support authentication. Since the LOB activities are built on top of Send activity, they also have this limitation. Below are a few options that can be used to authenticate with the LOB. The WCF Oracle Apps adapter is covered separately in a different blog. This blog addresses the other adapters, i.e. WCF SQL, WCF SAP, WCF Oracle DB and WCF Siebel.


Using Windows credentials

If the WCF LOB Adapter supports windows integrated authentication, that mechanism can be used and the windows credentials of the logged in account will be used to authenticate. This can be used for
WCF SQL and WCF OracleDB adapters.

 
Using mapped credentials

If the WCF LOB Adapter supports a mechanism to map windows credentials to LOB credentials, that approach can be used. This can be used for WCF SAP adapter that supports
Secure Network Communications.


Using custom endpoint behavior

A custom endpoint behavior can be written up which will pull the credentials from a secure store and then populate the ClientCredentials behavior with that information. This is a flexible approach that can be used with SQL, Oracle DB, SAP and Siebel adapters. The below set of steps explain how to go about it.

         class MyEndpointBehavior : BehaviorExtensionElement, IEndpointBehavior
    {
        public override Type BehaviorType
        {
            get { return typeof(MyEndpointBehavior); } 
       
}

        protected override object CreateBehavior()
        {
            return new MyEndpointBehavior();
        }
 

        public void 
            AddBindingParameters(
                ServiceEndpoint endpoint, 
                BindingParameterCollection bindingParameters
            )
        {
        } 

        public void 
            ApplyClientBehavior(
                ServiceEndpoint endpoint, 
                ClientRuntime clientRuntime
            )
        {
            ClientCredentials clientCredentials = endpoint.Behaviors.Find<ClientCredentials>();
            Debug.Assert(clientCredentials != null, “ClientCredentials behavior not present”); 

            // TODO: Add your code to retrieve the credentials from a secure 
            //       store. For illustration purpose, the values are hard-coded
            clientCredentials.UserName.UserName = “Foo”;
            clientCredentials.UserName.Password = “Bar”;
        } 

        public void 
            ApplyDispatchBehavior(
                ServiceEndpoint endpoint, 
                EndpointDispatcher endpointDispatcher
            )
        {
        } 

        public void Validate(ServiceEndpoint endpoint)
        {
        }
    } 

Make changes to the configuration file to add this endpoint behavior to the endpoints used by the relevant LOB Activities. Note the “type” in behavior extension should be set to typeof(MyEndpointBehavior).AssemblyQualifiedName
.

 
<
system.serviceModel>
    <behaviors
>
      <endpointBehaviors
>
        <behavior name=
lobActivityBehavior>
          <lobActivityEndpointBehavior />
          <myCredentialsBehavior
/>
        </behavior
>
      </endpointBehaviors
>
    </behaviors
>
    <bindings
>
      <sqlBinding
>
        <binding name=
SqlAdapterBinding />
      </sqlBinding>
    </bindings
>
    <client
>
      <endpoint address=
mssql://localhost//mytestdb? />
    </client>
    <extensions
>
      <behaviorExtensions
>
        <add name=
myCredentialsBehavior 
             type=WorkflowConsoleApplication3.MyEndpointBehavior, WorkflowConsoleApplication3, Version=1.0.0.0, Culture=neutral, PublicKeyToken=null/>
      </behaviorExtensions>
    </extensions
>
  </system.serviceModel>

Passing the authentication information as part of the URI

The SQL, Oracle DB, SAP and Siebel adapters, all support passing of username/password in the URI. The binding property “AcceptCredentialsInUri” needs to be set to true to enable this support. Note that this poses a security risk since the credentials are now stored in clear text in the config file. You need to ACL that file properly.

Sandeep Prabhu,
BizTalk Server Team

 

 

 

Only three properties in a Correlation Type – or what is the deal?

Only three properties in a Correlation Type – or what is the deal?

Hi all

If you read the documentation for Correlation Sets (here),
you will see that it clearly states that:

“Each correlation set supports a maximum of three parameters.”

Now, the documentation for BizTalk 2010 is still subject to change, but you will find
the same text in the documentation for previous versions.

The funny part is, that inside the Orchestration View, you are allowed to add as many
properties to your Correlation Type as you please:

image

You will get no compiler error, as I would have expected, and no compiler warning,
either.

I implemented a small orchestration that uses the Correlation Type seen above and
it looks like this:

image

Basically, a message in, a transformation, an output and then a response back in.
The “msg_FirstOut” initializes the correlation set and the “msg_SecondIn” follows
it.

As mentioned, the compiler will not complain at all and I can deploy the solution.
Once I send a message through, an instance subscription is created once the send shape
has finished, and this surprisingly looks like this:

image

As you can see, ALL five properties are used in the instance subscription, which in
effect means that the documentation is wrong.

So this brings me to the point; The documentation states, that you can only have three
parameters (not sure why they call them parameters) in a Correlation Set, but this
actually ONLY applies to Correlation Sets used in Convoys.

If I change my solution to utilize a parallel convoy like this:

image

or to be a sequential convoy like this:

image

then I still get no compiler warning or error no matter how many properties I have
in my Correlation Type, but if I deploy the solution and try to start the orchestration,
I get this error message:

image

“The maximum number of convoy set properties has been exceeded. A convoy set can only
contain up to 3 properties.”

Now, you may very well ask, what is a convoy set? And yes, it is a bit confusing that
the error message uses a term that is actually internal to BizTalk and not something
your average BizTalk developer cares about. But a convoy set is simply a correlation
set that is used in a convoy.

So this means, that for correlation sets that are used for convoys you can only have
three properties, which actually comes from the fact that the table “ConvoySets” in
the MessageBox database has three columns called “uidPropertyID1”, “uidPropertyID2”,
and “uidPropertyID3” which contain GUIDs that are the GUIDs of the properties in the
correlation set. So since only three fields exist in the database, only three properties
can be in a convoy set.

So to me, it would nice if:

  1. The documentation was clear about the fact that the limitation only applies to correlation
    sets used in convoys
  2. The compiler would provide an error if you use more than three properties in a correlation
    set used in a convoy so you don’t ahve to wait until starting the orchestration to
    find that out.

Happy correlating and convoying out there!

You can find my sample code here: ThreePropertiesInCorrelationSet.zip

>



eliasen

Stepping Through .NET Source with VS2010 and .NET 4

This morning I stumbled across something so cool I had no idea it existed (I know some of you are saying “What he didn’t know about this?)

How many times have you wanted to debug right into the source of .NET?  The feature is there, just turn it on

After VS2010 completes automatically downloading symbols set a breakpoint and try something

Here you see a breakpoint in my code (Service1)

WebFaultException<T> is a type in System.ServiceModel.Web – can’t step into it right?  Wrong

Woot!

Danish BizTalk User Group starting up

Hi all

This is probably most useful to Danish BizTalk people We are four guys trying to
start up a Danish BizTalk User Group.

The first meeting is set to be on August 12’th with the following agenda:

  1. Introduction to the User Group
  2. Basic topic: The new mapper in BizTalk 2010 by Jan Eliasen
  3. Advanced topic: Introduction to WF4 by Christian St%u00e6rk
  4. Tools of the Trade: Pipeline Component Wizard by Jan Eliasen

So as you can see, I’ll be speaking twice 🙂 And unless someone else has a great topic,
I have an advanced topic lined up for the next meeting as well.

You can find the official invitation here:

  – Danish only.>

Everyone is invited, so please spread the word and the invitation.

Thanks



eliasen

Introducing “Razor” – a new view engine for ASP.NET

Introducing “Razor” – a new view engine for ASP.NET

One of the things my team has been working on has been a new view engine option for ASP.NET.

ASP.NET MVC has always supported the concept of “view engines” – which are the pluggable modules that implement different template syntax options.  The “default” view engine for ASP.NET MVC today uses the same .aspx/.ascx/.master file templates as ASP.NET Web Forms.  Other popular ASP.NET MVC view engines used today include Spark and NHaml.

The new view-engine option we’ve been working on is optimized around HTML generation using a code-focused templating approach. The codename for this new view engine is “Razor”, and we’ll be shipping the first public beta of it shortly.

Design Goals

We had several design goals in mind as we prototyped and evaluated “Razor”:

  • Compact, Expressive, and Fluid: Razor minimizes the number of characters and keystrokes required in a file, and enables a fast, fluid coding workflow. Unlike most template syntaxes, you do not need to interrupt your coding to explicitly denote server blocks within your HTML. The parser is smart enough to infer this from your code. This enables a really compact and expressive syntax which is clean, fast and fun to type.

  • Easy to Learn: Razor is easy to learn and enables you to quickly be productive with a minimum of concepts. You use all your existing language and HTML skills.

  • Is not a new language: We consciously chose not to create a new imperative language with Razor. Instead we wanted to enable developers to use their existing C#/VB (or other) language skills with Razor, and deliver a template markup syntax that enables an awesome HTML construction workflow with your language of choice.

  • Works with any Text Editor: Razor doesn’t require a specific tool and enables you to be productive in any plain old text editor (notepad works great).

  • Has great Intellisense: While Razor has been designed to not require a specific tool or code editor, it will have awesome statement completion support within Visual Studio. We’ll be updating Visual Studio 2010 and Visual Web Developer 2010 to have full editor intellisense for it.

  • Unit Testable: The new view engine implementation will support the ability to unit test views (without requiring a controller or web-server, and can be hosted in any unit test project – no special app-domain required).

We’ve spent the last few months building applications with it and doing lots of usability studies of it with a variety of volunteers (including several groups of non-.NET web developers). The feedback so far from people using it has been really great.

Choice and Flexibility

One of the best things about ASP.NET is that most things in it are pluggable. If you find something doesn’t work the way you want it to, you can swap it out for something else.

The next release of ASP.NET MVC will include a new “Add->View” dialog that makes it easy for you to choose the syntax you want to use when you create a new view template file.  It will allow you to easily select any of of the available view engines you have installed on your machine – giving you the choice to use whichever view approach feels most natural to you:

AddView9

Razor will be one of the view engine options we ship built-into ASP.NET MVC.  All view helper methods and programming model features will be available with both Razor and the .ASPX view engine. 

You’ll also be able to mix and match view templates written using multiple view-engines within a single application or site.  For example, you could write some views using .aspx files, some with .cshtml or .vbhtml files (the file-extensions for Razor files – C# and VB respectively), and some with Spark or NHaml.  You can also have a view template using one view-engine use a partial view template written in another.  You’ll have full choice and flexibility.

Hello World Sample with Razor

Razor enables you to start with static HTML (or any textual content) and then make it dynamic by adding server code to it.  One of the core design goals behind Razor is to make this coding process fluid, and to enable you to quickly integrate server code into your HTML markup with a minimum of keystrokes.

To see a quick example of this let’s create a simple “hello world” sample that outputs a message like so:

image

Building it with .ASPX Code Nuggets

If we were to build the above “hello world” sample using ASP.NET’s existing .ASPX markup syntax, we might write it using <%= %> blocks to indicate “code nuggets” within our HTML markup like so:

image

One observation to make about this “hello world” sample is that each code nugget block requires 5 characters (<%= %>) to denote the start and stop of the code sequence.  Some of these characters (in particular the % key – which is center top on most keyboards) aren’t the easiest to touch-type.

Building it with Razor Syntax

You denote the start of a code block with Razor using a @ character.  Unlike <% %> code nuggets, Razor does not require you to explicitly close the code-block:

image

The Razor parser has semantic knowledge of C#/VB code used within code-blocks – which is why we didn’t need to explicitly close the code blocks above.  Razor was able to identify the above statements as self-contained code blocks, and implicitly closed them for us.

Even in this trivial “hello world” example we’ve managed to save ourselves 12 keystrokes over what we had to type before.  The @ character is also easier to reach on the keyboard than the % character which makes it faster and more fluid to type. 

Loops and Nested HTML Sample

Let’s look at another simple scenario where we want to list some products (and the price of each product beside it):

image

Building it with .ASPX Code Nuggets

If we were to implement this using ASP.NET’s existing .ASPX markup syntax, we might write the below code to dynamically generate a <ul> list with <li> items for each product inside it:

image 

Building it with Razor Syntax

Below is how to generate the equivalent output using Razor:

image

Notice above how we started a “foreach” loop using the @ symbol, and then contained a line of HTML content with code blocks within it.  Because the Razor parser understands the C# semantics in our code block, it was able to determine that the <li> content should be contained within the foreach and treated like content that should be looped.  It also recognized that the trailing } terminated the foreach statement.

Razor was also smart enough to identify the @p.Name and @p.Price statements within the <li> element as server code – and execute them each time through the loop. Notice how Razor was smart enough to automatically close the @p.Name and @p.Price code blocks by inferring how the HTML and code is being used together.

The ability to code like this without having to add lots of open/close markers throughout your templates ends up making the whole coding process really fluid and fast.

If-Blocks and Multi-line Statements

Below are a few examples of other common scenarios:

If Statements

Like our foreach example above, you can embed content within if statements (or any other C# or VB language construct), without having to be explicit about the code block’s begin/end.  For example:

image

Multi-line Statements

You can denote multiple lines of code by wrapping it within a @{ code } block like so:

image 

Notice above how variables can span multiple server code blocks – the “message” variable defined within the multi-line @{ } block, for example, is also being used within the @message code block.  This is conceptually the same as the <% %> and <%= %> syntax within .aspx markup files.

Multi-Token Statements

The @( ) syntax enables a code block to have multiple tokens.  For example, we could re-write the above code to concatenate a string and the number together within a @( code ) block:

image 

Integrating Content and Code

The Razor parser has a lot of language smarts built-into it – enabling you to rely on it to do the heavily lifting, as opposed to you having to explicitly do it yourself. 

Does it break with email addresses and other usages of @ in HTML?

Razor’s language parser is clever enough in most cases to infer whether a @ character within a template is being used for code or static content.  For example, below I’m using a @ character as part of an email address:

image

When parsing a file, Razor examines the content on the right-hand side of any @ character and attempts to determine whether it is C# code (if it is a CSHTML file) or VB code (if it is a VBHTML file) or whether it is just static content.  The above code will output the following HTML (where the email address is output as static content and the @DateTime.Now is evaluated as code:

image

In cases where the content is valid as code as well (and you want to treat it as content), you can explicitly escape out @ characters by typing @@.

Identifying Nested Content

When nesting HTML content within an if/else, foreach or other block statement, you should look to wrap the inner content within an HTML or XML element to better identify that it is the beginning of a content block.

For example, below I’ve wrapped a multi-line content block (which includes a code-nugget) with a <span> element:

image

This will render the below content to the client – note that it includes the <span> tag:

image

You can optionally wrap nested content with a <text> block for cases where you have content that you want to render to the client without a wrapping tag:

image

The above code will render the below content to the client – note that it does not include any wrapping tag:

image 

HTML Encoding

By default content emitted using a @ block is automatically HTML encoded to better protect against XSS attack scenarios.

Layout/MasterPage Scenarios – The Basics

It is important to have a consistent look and feel across all of the pages within your web-site/application.  ASP.NET 2.0 introduced the concept of “master pages” which helps enable this when using .aspx based pages or templates.  Razor also supports this concept using “layout pages” – which allow you to define a common site template, and then inherit its look and feel across all the views/pages on your site.

Simple Layout Example

Below is a simple example of a layout page – which we’ll save in a file called “SiteLayout.cshtml”.  It can contain any static HTML content we want to include in it, as well as dynamic server code.  We’ll then add a call to the “RenderBody()” helper method at the location in the template where we want to “fill in” specific body content for a requested URL:

image

We can then create a view template called “Home.cshtml” that contains only the content/code necessary to construct the specific body of a requested page, and which relies on the layout template for its outer content:

image

Notice above how we are explicitly setting the “LayoutPage” property in code within our Home.cshtml file.  This indicates that we want to use the SiteLayout.cshtml template as the layout for this view.  We could alternatively indicate the layout file we want to use within a ASP.NET MVC Controller invoking Home.cshtml as a view template, or by configuring it as the default layout to use for our site (in which case we can specify it in one file in our project and have all view templates pick it up automatically).

When we render Home.cshtml as a view-template, it will combine the content from the layout and sub-page and send the following content to the client:

image

Compact, Clean, Expressive Code

One of the things to notice in the code above is that the syntax for defining layouts and using them from views/pages is clean and minimal.  The code screen-shots above of the SiteLayout.cshtml and Home.cshtml files contain literally all of the content in the two .cshtml files – there is no extra configuration or additional tags, no <%@ Page%> prefix, nor any other markup or properties that need to be set.

We are trying to keep the code you write compact, easy and fluid.  We also want to enable anyone with a text editor to be able to open, edit and easily tweak/customize them.  No code generation or intellisense required.

Layout/MasterPage Scenarios – Adding Section Overrides

Layout pages optionally support the ability to define different “sections” within them that view templates based on the layout can then override and “fill-in” with custom content.  This enables you to easily override/fill-in discontinuous content regions within a layout page, and provides you with a lot of layout flexibility for your site.

For example, we could return to our SiteLayout.cshtml file and define two sections within our layout that the view templates within our site can optionally choose to fill-in.  We’ll name these sections “menu” and “footer” – and indicate that they are optional (and not required) within our site by passing an optional=true parameter to the RenderSection() helper call (we are doing this using the new C# optional parameter syntax that I’ve previously blogged about).

image

Because these two sections are marked as “optional”, I’m not required to define them within my Home.cshtml file.  My site will continue to work fine if they aren’t there. 

Let’s go back into Home.cshtml, though, and define a custom Menu and Footer section for them.  The below screenshot contains all of the content in Home.cshtml – there is nothing else required in the file.  Note: I moved setting the LayoutPage to be a site wide setting – which is why it is no longer there.

image

Our custom “menu” and “footer” section overrides are being defined within named @section { } blocks within the file.  We chose not to require you to wrap the “main/body” content within a section and instead to just keep it inline (which both saves keystrokes and enables you to easily add sections to your layout pages without having to go back through all your existing pages changing their syntax). 

When we render Home.cshtml as a view-template again, it will now combine the content from the layout and sub-page, integrating the two new custom section overrides in it, and send down the following content to the client:

image

Encapsulation and Re-Use with HTML Helpers

We’ve covered how to maintain a consistent site-wide look and feel using layout pages.  Let’s now look at how we can also create re-usable “HTML helpers” that enable us to cleanly encapsulate HTML generation functionality into libraries that we can re-use across our site – or even across multiple different sites.

Code Based HTML Helpers

ASP.NET MVC today has the concept of “HTML Helpers” – which are methods that can be invoked within code-blocks, and which encapsulate generating HTML.  These are implemented using pure code today (typically as extension methods).  All of the existing HTML extension methods built with ASP.NET MVC (both ones we’ve built and ones built by others) will work using the “Razor” view engine (no code changes required):

image

Declarative HTML Helpers

Generating HTML output using a code-only class approach works – but is not ideal.

One of the features we are looking to enable with Razor is an easy way to create re-usable HTML helpers using a more declarative approach.  Our plan is to enable you to define reusable helpers using a @helper { } declarative syntax like below. 

image

You’ll be able to place .cshtml files that contain these helpers into a Views\Helpers directory and then re-use them from any view or page in your site (no extra steps required):

image

Note above how our ProductListing() helper is able to define arguments and parameters.  This enables you to pass any parameters you want to them (and take full advantage of existing languages features like optional parameters, nullable types, generics, etc).  You’ll also get debugging support for them within Visual Studio.

Note: The @helper syntax won’t be in the first beta of Razor – but is something we hope will be enabled with the next drop.  Code-based helpers will work with the first beta.

Passing Inline Templates as Parameters

One other useful (and extremely powerful) feature we are enabling with Razor is the ability to pass “inline template” parameters to helper methods.  These “inline templates” can contain both HTML and code, and can be invoked on-demand by helper methods.

Below is an example of this feature in action using a “Grid” HTML Helper that renders a DataGrid to the client:

image

The Grid.Render() method call above is C#.  We are using the new C# named parameter syntax to pass strongly-typed arguments to the Grid.Render method – which means we get full statement completion/intellisense and compile-time checking for the above syntax.

The “format” parameter we are passing when defining columns is an “inline template” – which contains both custom html and code, and which we can use to customize the format of the data.  What is powerful about this is that the Grid helper can invoke our inline template as a delegate method, and invoke it as needed and as many times as it wants. In the scenario above it will call it each time it renders a row in the grid – and pass in the “item” that our template can use to display the appropriate response.

This capability will enable much richer HTML helper methods to be developed.  You’ll be able to implement them using both a code approach (like the way you build extension methods today) as well as using the declarative @helper {} approach.

Visual Studio Support

As I mentioned earlier, one of our goals with Razor is to minimize typing, and enable it to be easily edited with nothing more than a basic text editor (notepad works great).  We’ve kept the syntax clean, compact and simple to help enable that.

We have also designed Razor so that you get a rich code editing experience within Visual Studio.  We will provide full HTML, JavaScript and C#/VB code intellisense within Razor based files:

image

Notice above how we are providing intellisense for a Product object on the “@p.” code embedded within the <li> element inside a foreach loop.  Also notice how our \Views folder within the Solution Explorer contains both .aspx and .cshtml view templates.  You can use multiple view engines within a single application – making it easy to choose whichever syntax feels best to you.

Summary

We think “Razor” provides a great new view-engine option that is streamlined for code-focused templating.  It a coding workflow that is fast, expressive and fun.  It’s syntax is compact and reduces typing – while at the same time improving the overall readability of your markup and code.  It will be shipping as a built-in view engine with the next release of ASP.NET MVC.  You can also drop standalone .cshtml/.vbhtml files into your application and run them as single-pages – which also enables you to take advantage of it within ASP.NET Web Forms applications as well.

The feedback from developers who have been trying it out the last few months has been extremely positive.  We are going to be shipping the first public beta of it shortly, and are looking forward to your feedback on it.

Hope this helps,

Scott

P.S. In addition to blogging, I am also now using Twitter for quick updates and to share links. Follow me at: twitter.com/scottgu

MVP 2010, 4th Year in a row.

Every year 1st of July is a bit of a panic day for me. I check my email more frequently than I normally do. Because that’s my MVP renewal day. I?m very pleased to say, I been re-awarded the MVP status for 2010 4th year in a row. I would like to thank everyone who worked behind the scene (honestly I don’t have a clue.). I also noticed lot of existing BizTalk Server MVP like Jan Eliasen, Thiago Almeida renewed on the same day and some new ones like Steef-Jan Wiggers. I would like to congratulate all of them.

Nandri!

Saravana

Intro to PLINQ

I recently had the opportunity to attend the Microsoft launch event for the new Visual Studio 2010. I was impressed with everything 2010 is bringing to the table, but what really caught my eye is the new Parallel FX library. Parallel FX provides developers with a set of tools which promises faster and […]