Version Assemblies with TFS 2010 Continuous Integration

Posted by Steve Michelotti on Geeks with Blogs See other posts from Geeks with Blogs or by Steve Michelotti
Published on Sat, 15 May 2010 06:00:48 GMT Indexed on 2010/05/15 12:04 UTC
Read the original article Hit count: 1709

Filed under:

When I first heard that TFS 2010 had moved to Workflow Foundation for Team Build, I was *extremely* skeptical. I’ve loved MSBuild and didn’t quite understand the reasons for this change. In fact, given that I’ve been exclusively using Cruise Control for Continuous Integration (CI) for the last 5+ years of my career, I was skeptical of TFS for CI in general. However, after going through the learning process for TFS 2010 recently, I’m starting to become a believer. I’m also starting to see some of the benefits with Workflow Foundation for the overall processing because it gives you constructs not available in MSBuild such as parallel tasks, better control flow constructs, and a slightly better customization story.

The first customization I had to make to the build process was to version the assemblies of my solution. This is not new. In fact, I’d recommend reading Mike Fourie’s well known post on Versioning Code in TFS before you get started. This post describes several foundational aspects of versioning assemblies regardless of your version of TFS. The main points are: 1) don’t use source control operations for your version file, 2) use a schema like <Major>.<Minor>.<IncrementalNumber>.0, and 3) do not keep AssemblyVersion and AssemblyFileVersion in sync.

To do this in TFS 2010, the best post I’ve found has been Jim Lamb’s post of building a custom TFS 2010 workflow activity. Overall, this post is excellent but the primary issue I have with it is that the assembly version numbers produced are based in a date and look like this: “2010.5.15.1”. This is definitely not what I want. I want to be able to communicate to the developers and stakeholders that we are producing the “1.1 release” or “1.2 release” – which would have an assembly version number of “1.1.317.0” for example.

In this post, I’ll walk through the process of customizing the assembly version number based on this method – customizing the concepts in Lamb’s post to suit my needs. I’ll also be combining this with the concepts of Fourie’s post – particularly with regards to the standards around how to version the assemblies.

The first thing I’ll do is add a file called SolutionAssemblyVersionInfo.cs to the root of my solution that looks like this:

   1:  using System;
   2:  using System.Reflection;
   3:  [assembly: AssemblyVersion("1.1.0.0")]
   4:  [assembly: AssemblyFileVersion("1.1.0.0")]

I’ll then add that file as a Visual Studio link file to each project in my solution by right-clicking the project, “Add – Existing Item…” then when I click the SolutionAssemblyVersionInfo.cs file, making sure I “Add As Link”:

Now the Solution Explorer will show our file. We can see that it’s a “link” file because of the black arrow in the icon within all our projects.

sol explorer with ver. file

Of course you’ll need to remove the AssemblyVersion and AssemblyFileVersion attributes from the AssemblyInfo.cs files to avoid the duplicate attributes since they now leave in the SolutionAssemblyVersionInfo.cs file. This is an extremely common technique so that all the projects in our solution can be versioned as a unit.

At this point, we’re ready to write our custom activity. The primary consideration is that I want the developer and/or tech lead to be able to easily be in control of the Major.Minor and then I want the CI process to add the third number with a unique incremental number. We’ll leave the fourth position always “0” for now – it’s held in reserve in case the day ever comes where we need to do an emergency patch to Production based on a branched version.

 

Writing the Custom Workflow Activity

Similar to Lamb’s post, I’m going to write two custom workflow activities. The “outer” activity (a xaml activity) will be pretty straight forward. It will check if the solution version file exists in the solution root and, if so, delegate the replacement of version to the AssemblyVersionInfo activity which is a CodeActivity highlighted in red below:

version xaml

 

Notice that the arguments of this activity are the “solutionVersionFile” and “tfsBuildNumber” which will be passed in. The tfsBuildNumber passed in will look something like this: “CI_MyApplication.4” and we’ll need to grab the “4” (i.e., the incremental revision number) and put that in the third position. Then we’ll need to honor whatever was specified for Major.Minor in the SolutionAssemblyVersionInfo.cs file. For example, if the SolutionAssemblyVersionInfo.cs file had “1.1.0.0” for the AssemblyVersion (as shown in the first code block near the beginning of this post), then we want to resulting file to have “1.1.4.0”.

Before we do anything, let’s put together a unit test for all this so we can know if we get it right:

   1:  [TestMethod]
   2:  public void Assembly_version_should_be_parsed_correctly_from_build_name()
   3:  {
   4:      // arrange
   5:      const string versionFile = "SolutionAssemblyVersionInfo.cs";
   6:      WriteTestVersionFile(versionFile);
   7:      var activity = new VersionAssemblies();
   8:      var arguments = new Dictionary<string, object> { 
   9:                          { "tfsBuildNumber", "CI_MyApplication.4"},
  10:                          { "solutionVersionFile", versionFile}
  11:      };
  12:   
  13:      // act
  14:      var result = WorkflowInvoker.Invoke(activity, arguments);
  15:   
  16:      // assert
  17:      Assert.AreEqual("1.2.4.0", (string)result["newAssemblyFileVersion"]);
  18:      var lines = File.ReadAllLines(versionFile);
  19:      Assert.IsTrue(lines.Contains("[assembly: AssemblyVersion(\"1.2.0.0\")]"));
  20:      Assert.IsTrue(lines.Contains("[assembly: AssemblyFileVersion(\"1.2.4.0\")]"));
  21:  }
  22:          
  23:  private void WriteTestVersionFile(string versionFile)
  24:  {
  25:      var fileContents = "using System.Reflection;\n" +
  26:          "[assembly: AssemblyVersion(\"1.2.0.0\")]\n" +
  27:          "[assembly: AssemblyFileVersion(\"1.2.0.0\")]";
  28:      File.WriteAllText(versionFile, fileContents);
  29:  }

 

At this point, the code for our AssemblyVersion activity is pretty straight forward:

   1:  [BuildActivity(HostEnvironmentOption.Agent)]
   2:  public class AssemblyVersionInfo : CodeActivity
   3:  {
   4:      [RequiredArgument]
   5:      public InArgument<string> FileName { get; set; }
   6:   
   7:      [RequiredArgument]
   8:      public InArgument<string> TfsBuildNumber { get; set; }
   9:   
  10:      public OutArgument<string> NewAssemblyFileVersion { get; set; }
  11:   
  12:      protected override void Execute(CodeActivityContext context)
  13:      {
  14:          var solutionVersionFile = this.FileName.Get(context);
  15:              
  16:          // Ensure that the file is writeable
  17:          var fileAttributes = File.GetAttributes(solutionVersionFile);
  18:          File.SetAttributes(solutionVersionFile, fileAttributes & ~FileAttributes.ReadOnly);
  19:   
  20:          // Prepare assembly versions
  21:          var majorMinor = GetAssemblyMajorMinorVersionBasedOnExisting(solutionVersionFile);
  22:          var newBuildNumber = GetNewBuildNumber(this.TfsBuildNumber.Get(context));
  23:          var newAssemblyVersion = string.Format("{0}.{1}.0.0", majorMinor.Item1, majorMinor.Item2);
  24:          var newAssemblyFileVersion = string.Format("{0}.{1}.{2}.0", majorMinor.Item1, majorMinor.Item2, newBuildNumber);
  25:          this.NewAssemblyFileVersion.Set(context, newAssemblyFileVersion);
  26:   
  27:          // Perform the actual replacement
  28:          var contents = this.GetFileContents(newAssemblyVersion, newAssemblyFileVersion);
  29:          File.WriteAllText(solutionVersionFile, contents);
  30:   
  31:          // Restore the file's original attributes
  32:          File.SetAttributes(solutionVersionFile, fileAttributes);
  33:      }
  34:   
  35:      #region Private Methods
  36:   
  37:      private string GetFileContents(string newAssemblyVersion, string newAssemblyFileVersion)
  38:      {
  39:          var cs = new StringBuilder();
  40:          cs.AppendLine("using System.Reflection;");
  41:          cs.AppendFormat("[assembly: AssemblyVersion(\"{0}\")]", newAssemblyVersion);
  42:          cs.AppendLine();
  43:          cs.AppendFormat("[assembly: AssemblyFileVersion(\"{0}\")]", newAssemblyFileVersion);
  44:          return cs.ToString();
  45:      }
  46:   
  47:      private Tuple<string, string> GetAssemblyMajorMinorVersionBasedOnExisting(string filePath)
  48:      {
  49:          var lines = File.ReadAllLines(filePath);
  50:          var versionLine = lines.Where(x => x.Contains("AssemblyVersion")).FirstOrDefault();
  51:   
  52:          if (versionLine == null)
  53:          {
  54:              throw new InvalidOperationException("File does not contain [assembly: AssemblyVersion] attribute");
  55:          }
  56:   
  57:          return ExtractMajorMinor(versionLine);
  58:      }
  59:   
  60:      private static Tuple<string, string> ExtractMajorMinor(string versionLine)
  61:      {
  62:          var firstQuote = versionLine.IndexOf('"') + 1;
  63:          var secondQuote = versionLine.IndexOf('"', firstQuote);
  64:          var version = versionLine.Substring(firstQuote, secondQuote - firstQuote);
  65:          var versionParts = version.Split('.');
  66:          return new Tuple<string, string>(versionParts[0], versionParts[1]);
  67:      }
  68:   
  69:      private string GetNewBuildNumber(string buildName)
  70:      {
  71:          return buildName.Substring(buildName.LastIndexOf(".") + 1);
  72:      }
  73:   
  74:      #endregion
  75:  }

 

At this point the final step is to incorporate this activity into the overall build template. Make a copy of the DefaultTempate.xaml – we’ll call it DefaultTemplateWithVersioning.xaml. Before the build and labeling happens, drag the VersionAssemblies activity in. Then set the LabelName variable to “BuildDetail.BuildDefinition.Name + "-" + newAssemblyFileVersion since the newAssemblyFileVersion was produced by our activity.

tfs version templ

 

Configuring CI

Once you add your solution to source control, you can configure CI with the build definition window as shown here. The main difference is that we’ll change the Process tab to reflect a different build number format and choose our custom build process file:

build process tab

 

When the build completes, we’ll see the name of our project with the unique revision number:

tfs completed builds

 

If we look at the detailed build log for the latest build, we’ll see the label being created with our custom task:

 tfs build log

 

We can now look at the history labels in TFS and see the project name with the labels (the Assignment activity I added to the workflow):

 tfs labels

Finally, if we look at the physical assemblies that are produced, we can right-click on any assembly in Windows Explorer and see the assembly version in its properties:

assembly props

 

Full Traceability

We now have full traceability for our code. There will never be a question of what code was deployed to Production. You can always see the assembly version in the properties of the physical assembly. That can be traced back to a label in TFS where the unique revision number matches. The label in TFS gives you the complete snapshot of the code in your source control repository at the time the code was built. This type of process for full traceability has been used for many years for CI – in fact, I’ve done similar things with CCNet and SVN for quite some time. This is simply the TFS implementation of that pattern. The new features that TFS 2010 give you to make these types of customizations in your build process are quite easy once you get over the initial curve.

© Geeks with Blogs or respective owner