Introduction to Business Intelligence Markup Language (BIML) for SSIS

By:   |   Comments (3)   |   Related: More > Integration Services Development


Problem

With Microsoft SQL Server Integration Services (SSIS), you can build powerful and flexible packages to manage your enterprise-wide ETL solutions. However, every ETL project has some repetitive tasks: you need to import 20 different flat file exports from the ERP system, you need to load 15 dimensions into the data warehouse and so on. With SSIS out-of-the-box, you are forced to create multiple individual packages which is very time consuming due to the lack of easy code reuse. In a typical BI project, the ETL implementation can easily take up 60% of the project time, so it is beneficial if the development time of similar SSIS packages can be cut down.

Solution

Biml, which stands for Business Intelligence Markup Language, offers us a solution. With Biml you can easily generate SSIS packages based on metadata, allowing us to effectively apply code reuse, templates and patterns in our ETL solutions. This tip will give a brief introduction to Biml with a small example, but later tips will delve into the powerful capabilities of Biml.

What is Biml?

Biml is a dialect of XML and can be used to specify business intelligence and data warehouse solutions. It is 100% compatible with SSIS and SSAS. When you generate for example an SSIS package, you can further edit it in Visual Studio, as if you created the package manually.

The language is developed by Varigence, but a free version is available in BimlExpress, a free add-on for Visual Studio. This means you can easily develop a Biml script inside SSDT and generate SSIS packages directly into your project.

Biml supports all versions of SSIS, but BimlExpress is only available for Visual Studio 2010 and up. For earlier versions, you can check out BI Developer Extensions (which was previously BidsHelper). The latest release of BimlExpress supports Visual Studio 2017 and SQL Server 2017.

How do I start using Biml?

As mentioned in the previous paragraph, you simply install BimlExpress on your machine, if you haven't already. To add a new Biml file to your project, simply right-click on the project or the SSIS packages node in the solution explorer. In the context menu, choose Add New Biml File.

Add new BIML file

A file called BimlScript.biml will be added to the Miscellaneous folder. This Biml file has an empty Biml root element to start with.

An empty BIML file

As you can see in the screenshot above, BimlExpres offers color coding for Biml, but it also provides you with intellisense features:

Visual Studio offers color coding for the BIML, as it is just XML

When you type "<", you'll get a list of all the possible child elements for the current element. BimlExpress will insert the corresponding closing tag when you close an element. When typing inside an element, you'll get a list of the attributes you can configure.

BIDS Helper will insert the corresponding closing tag when you close an element.

The Biml code can be checked for errors by right-clicking the file and choosing Check Biml for Errors. The compiler doesn't always give the most straight forward error messages, so you might want the check for errors often when developing large Biml files.

Check your BIML file for errors

When you choose Generate SSIS Packages, Biml will check for errors by validating the XML and Biml syntax, but also by validating the resulting SSIS packages. For example, if a destination table used in a data flow does not already exist, an error will be thrown. Of course, packages are not generated when any error is found during compilation.

Compiler error

When packages have been generated successfully, they will be added to the SSIS Packages node in the project.

A small Biml example

Let's take a look at a small sample Biml file to get a feeling on how Biml works. This example will create an SSIS package with two Execute SQL Tasks. The first task will create a table if it does not exist yet, the second task will insert a row in the same table.

First we need to create the connection managers. The following code creates an OLE DB connection manager called OLE_Biml to the database named Biml on the localhost server.

<Biml xmlns="http://schemas.varigence.com/biml.xsd">
  <Connections >
    <Connection Name ="OLE_Biml"
                ConnectionString="Data Source=.;Initial Catalog=Biml;
                   Provider=SQLNCLI11.1;Integrated Security=SSPI;Auto Translate=False;"/>
  </Connections>

Connections are defined outside any package. Once you refer to a connection in a package, it is added to this package when it is generated by Biml. The next step is to add a package to the Biml script. Small remark: if you are working with SSIS 2005 or 2008, you might want to change the version number of the native client in the connection string. For example, SQLNCLI10.1 for SSIS 2008.

The following snippet will create an empty package called HelloWorld.

  <Packages>
    <Package Name="HelloWorld" ConstraintMode="Linear">
    </Package>
  </Packages>

The constraint mode defines the default behavior of tasks inside the package. When Parallel is specified, no precedence constraints are defined between tasks. With the Linear constraint mode, each task is connected with a Success precedence constraint to the previous task, following the order of specification in the Biml file.

Let's add the two Execute SQL Tasks to our package. This code will add the first Execute SQL Task, which will check the existence of the destination table and create it if necessary.

<Tasks>
   <ExecuteSQL Name="(SQL) Create or Drop Table" ConnectionName="OLE_Biml">
      <DirectInput>
            IF EXISTS (SELECT * FROM sys.objects WHERE object_id = 
                       OBJECT_ID(N'[dbo].[HelloWorld]') AND type IN (N'U'))
                   DROP TABLE [dbo].[HelloWorld];
            GO
            IF NOT EXISTS (SELECT * FROM sys.objects WHERE object_id = 
                       OBJECT_ID(N'[dbo].[HelloWorld]') AND type IN (N'U'))
            BEGIN
                   CREATE TABLE [dbo].[HelloWorld](
                          [ID] [int] IDENTITY(1,1) NOT NULL,
                          [Message] [varchar](50) NOT NULL,
                          [Timestamp] [datetime2](3) NOT NULL
                   );
            END
            GO
      </DirectInput>
   </ExecuteSQL>

The Execute SQL Task has two attributes defined: its name and the connection it will use. The task has a child element DirectInput, specifying the query issued against the database. When specifying a query, watch out for special XML characters, such as double quote or the less than sign. You need to replace these with their escaped counterparts. For example, ampersand & becomes &amp;.

The second Execute SQL Task is created with similar code:

   <ExecuteSQL Name="(SQL) Insert Hello World" ConnectionName="OLE_Biml">
      <DirectInput>
     INSERT INTO [dbo].[HelloWorld] VALUES ('Hello World!',SYSDATETIME());
      </DirectInput>
   </ExecuteSQL>
</Tasks>

And that's all the code we need to generate our package. The full script - with comments added - looks like this:

<!-- Biml script created by Koen Verbeeck -->
<!-- This Biml code will generate a simple SSIS package with two Execute SQL Tasks -->
<Biml xmlns="http://schemas.varigence.com/biml.xsd">
  <!-- First define the connection. This is defined outside the packages.
       Add CreateInProject="true" for project connection managers.-->
  <Connections >
    <Connection Name ="OLE_Biml"
                ConnectionString="Data Source=.;Initial Catalog=Biml;
                Provider=SQLNCLI11.1;Integrated Security=SSPI;Auto Translate=False;"/>
  </Connections>
  <Packages>
    <!-- Linear automatically connects all tasks in order of creation.
         Parallel doesn't create precedence constraints. -->
    <!-- Since SSIS 2012, projects also have protection levels.
         Those of the packages must match the protection level of the project. -->
    <!-- DontSaveSensitive is the default package protection level (as it should be). -->
    <Package Name="HelloWorld" ConstraintMode="Linear">
      <Tasks>
        <!-- When a connection is used in a task, the connection manager is added
             to the package. -->
        <ExecuteSQL Name="(SQL) Create or Drop Table" ConnectionName="OLE_Biml">
          <DirectInput>
            IF EXISTS (SELECT * FROM sys.objects WHERE object_id = 
                           OBJECT_ID(N'[dbo].[HelloWorld]') AND type IN (N'U'))
                   DROP TABLE [dbo].[HelloWorld];
            GO
            IF NOT EXISTS (SELECT * FROM sys.objects WHERE object_id =
                            OBJECT_ID(N'[dbo].[HelloWorld]') AND type IN (N'U'))
            BEGIN
                   CREATE TABLE [dbo].[HelloWorld](
                          [ID] [int] IDENTITY(1,1) NOT NULL,
                          [Message] [varchar](50) NOT NULL,
                          [Timestamp] [datetime2](3) NOT NULL
                   );
            END
            GO
          </DirectInput>
        </ExecuteSQL>
        <ExecuteSQL Name="(SQL) Insert Hello World" ConnectionName="OLE_Biml">
          <DirectInput>
            INSERT INTO [dbo].[HelloWorld] VALUES ('Hello World!',SYSDATETIME());
          </DirectInput>
        </ExecuteSQL>
      </Tasks>
    </Package>
  </Packages>
</Biml>

After generating the package, we can admire the result:

The generated SSIS package

The package can now be edited like any other SSIS package. You can validate the package by running it and checking the result in SQL Server.

Checking the results of the package

Conclusion

This tip gave a basic introduction to the language Biml, which you can use to generate SSIS packages. Next tips will dig deeper into Biml to expose its powerful capabilities and will show you how you can use metadata to generate SSIS packages on the fly.

Next Steps
  • Try Biml out for yourself. You can use the code used in this tip to create your own simple Biml script. The script uses a database called Biml, so you either can create such a database or change the connection string to work with another database.
  • If you want to learn more, there's a whole Biml tutorial here on MSSQLTips.com.
  • Check out the Varigence website, where you can find the Biml API and language reference.
  • Download BimlExpress and install it, if you haven't already.
  • Read the following excellent blog posts/articles with great tips about Biml:


sql server categories

sql server webinars

subscribe to mssqltips

sql server tutorials

sql server white papers

next tip



About the author
MSSQLTips author Koen Verbeeck Koen Verbeeck is a seasoned business intelligence consultant at AE. He has over a decade of experience with the Microsoft Data Platform in numerous industries. He holds several certifications and is a prolific writer contributing content about SSIS, ADF, SSAS, SSRS, MDS, Power BI, Snowflake and Azure services. He has spoken at PASS, SQLBits, dataMinds Connect and delivers webinars on MSSQLTips.com. Koen has been awarded the Microsoft MVP data platform award for many years.

This author pledges the content of this article is based on professional experience and not AI generated.

View all my tips



Comments For This Article




Friday, November 10, 2017 - 3:13:09 PM - Anand Back To Top (69533)

Great introduction. Simple and clear explanation of a difficult topic. 


Thursday, February 4, 2016 - 9:46:19 AM - Rajesh Back To Top (40595)

 Very useful and easy to understand Overview

 


Friday, September 12, 2014 - 1:09:35 AM - Akthar Back To Top (34503)

Thank you for this simple intro.

Akthar















get free sql tips
agree to terms