Click here to Skip to main content
15,884,298 members
Articles / Programming Languages / Visual Basic
Article

Compiling .NET code on-the-fly

Rate me:
Please Sign up or sign in to vote.
4.93/5 (57 votes)
19 Nov 20034 min read 325.9K   2.7K   115   57
Compile .NET code programmatically, in memory, then use the resulting assembly to instantiate an object of a class, access its properties and methods, and call a static function.

Introduction

Sometimes it is useful to add some programmability to your projects, so that a user can change or add logic. This can be done with VBScript and the like, but what fun is that when .NET allows us to play with the compiler? Obviously, your compiled "script" is going to be much faster than interpreted VBScript or Jscript.

I'll show you how to compile VB.NET into an assembly programmatically, in memory, then use that code right away.

Using the code

The demo project is a simple windows application. Here in the article I'll describe how to call a static function; the included project also has example of creating an instance of an object and accessing that instance's properties and methods.

Set up your project and form

The namespaces we'll need for compiling are in System.dll, so they'll be available in a default project in Visual Studio.

Now drag some controls onto the form - you'll need a textbox for the code, a compile button, and a listbox to show your compile errors. They're called txtCode, btnCompile, and lbErrors, respectively. I know, you never get compile errors, but your users might. :-)

Add some code to be compiled

For this demo I'll just put a sample class in the form when it loads. Here is the part of the class definition that I'll use in this article; the demo project has more functionality.

VB
Public Class Sample
    Public Shared Function StaticFunction(ByVal Arg As String) As String
        Return Arg.ToUpper()
    End Function
    
    ...
    
End Class

Implement the compiler

Now we get to the fun part, and it's surprisingly easy. In the compile button's click handler, the following bit of code will compile an assembly from the sample code.

VB
Dim provider As Microsoft.VisualBasic.VBCodeProvider
Dim compiler As System.CodeDom.Compiler.ICodeCompiler
Dim params As System.CodeDom.Compiler.CompilerParameters
Dim results As System.CodeDom.Compiler.CompilerResults

params = New System.CodeDom.Compiler.CompilerParameters
params.GenerateInMemory = True      'Assembly is created in memory
params.TreatWarningsAsErrors = False
params.WarningLevel = 4
'Put any references you need here - even you own dll's, if you want to use one
Dim refs() As String = {"System.dll", "Microsoft.VisualBasic.dll"}
params.ReferencedAssemblies.AddRange(refs)

Try
    provider = New Microsoft.VisualBasic.VBCodeProvider
    compiler = provider.CreateCompiler
    results = compiler.CompileAssemblyFromSource(params, txtCode.Text)
Catch ex As Exception
    'Compile errors don't throw exceptions; you've got some deeper problem...
    MessageBox.Show(ex.Message)
    Exit Sub
End Try

That's it, we're ready to compile! First, though, I want to see any compile errors that my - ahem - user's incorrect code has generated. The CompilerResults object gives me plenty of information, including a list of CompilerError objects, complete with the line and character position of the error. This bit of code adds the errors to my listbox:

VB
lbErrors.Items.Clear()

Dim err As System.CodeDom.Compiler.CompilerError
For Each err In results.Errors
    lbErrors.Items.Add(String.Format( _
        "Line {0}, Col {1}: Error {2} - {3}", _
        err.Line, err.Column, err.ErrorNumber, err.ErrorText))
Next

Use the compiled assembly

Now I want to do something with my compiled assembly. This is where things start to get a little tricky, and the MSDN sample code doesn't help as much. Here I'll describe how to call the the static (shared) function StaticFunction. Sorry about the semantic confusion, I transitioned from MFC...

A member variable in the form class will hold the compiled assembly:

VB
Private mAssembly As System.Reflection.Assembly

The assembly is retrieved from the CompilerResults object, at the end of the btnCompile_Click function:

VB
...        

If results.Errors.Count = 0 Then        'No compile errors or warnings...
    mAssembly = results.CompiledAssembly
End If

I put a couple of text boxes on my form for the function argument and result. To call the static is called by the following code in the test button's click handler:

VB
Dim scriptType As Type
Dim instance As Object
Dim rslt As Object

Try
    'Get the type from the assembly.  This will allow us access to
    'all the properties and methods.
    scriptType = mAssembly.GetType("Sample")

    'Set up an array of objects to pass as arguments.
    Dim args() As Object = {txtArgument.Text}

    'And call the static function
    rslt = scriptType.InvokeMember("StaticFunction", _
        System.Reflection.BindingFlags.InvokeMethod Or _
        System.Reflection.BindingFlags.Public Or _
        System.Reflection.BindingFlags.Static, _
        Nothing, Nothing, args)

    'Return value is an object, cast it back to a string and display
    If Not rslt Is Nothing Then
        txtResult.Text = CType(rslt, String)
    End If
Catch ex As Exception
    MessageBox.Show(ex.Message)
End Try

The key thing here is the InvokeMember call. You can find the definition in MSDN, so I won't go into too much detail. The arguments are as follows:

  1. The first argument is the name of the function, property, or member variable we want to access.
  2. The second argument is a combination of bit flags that defines what we want to do (BindingFlags.InvokeMethod,) and what type of thing we're looking for - BindingFlags.Public Or'd with BindingFlags.Static, which is a function declared as Public Shared in VB.NET. Be careful to get these flags right; if they don't accurately describe the desired function, InvokeMember will throw a MissingMethod exception.
  3. Next is a Binder object; this can be used to perform type conversion for arguments, among other things, but you can get by without it.
  4. Fourth is the target object - that is, the instance of our class. For this static function we don't need the object, so we pass a Nothing.
  5. Finally, we pass the arguments for our function as an array of objects. We can pass by value if we want; just cast the array element back to the right type after calling the function.

The demo code adds buttons for creating an instance of the Sample class and accessing a property and method of that instance. Have fun with it!

Points of Interest

In this example I keep the assembly in a member variable, but that's not strictly necessary. If you use it to create an instance of the class you want to use, and hang onto the Type object and your instance, you can let the assembly go out of scope.

The framework also includes CSharpCodeProvider and JScriptCodeProvider classes, which can be used to compile code written in those languages. The latter is in Microsoft.JScript.dll.

I think I remember reading somewhere that only the JScript compiler was implemented in the 1.0 version of the framework, and the MSDN documentation of these classes says "Syntax based on .NET Framework version 1.1." However, I had no trouble dropping this code into a VS 2002 project and running it. If anyone has a problem doing that or can clarify what the differences are between the two framework versions, it would be nice to note these in a revision to this article.

History

  • 2003.11.19 - Submitted to CodeProject

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Web Developer
United States United States
Jim is a developer working in Auburn, Alabama, USA. He started working as a programmer in 1997; much of his early experience was with MFC and ASP, with brief forays into Java servlets, Borland's OWL, and plain-old windows API.

Since 2001 Jim has worked primarily with .NET, writing windows and web applications, windows services, and client-server apps. With a little bit of AS3/Flex code thrown in there.

Jim comments code in the first person (much to the amusement of his coworkers,) and feels especially weird writing about himself in the third.

Comments and Discussions

 
QuestionVery useful... my vote of 5 Pin
Hoek679-Feb-20 18:57
Hoek679-Feb-20 18:57 
QuestionI am still pretty new to vb.net so I'll try to approach this humbly Pin
Member 1103063118-Sep-14 10:22
Member 1103063118-Sep-14 10:22 
QuestionGREAT JOB Pin
AngelTijero30-Jan-13 4:54
AngelTijero30-Jan-13 4:54 
QuestionIn memory compilation? Pin
Nikos Hatzistelios9-Feb-12 6:34
Nikos Hatzistelios9-Feb-12 6:34 
QuestionIs it possible to access from a dynamically created assembly to friend class? Pin
Greg10214-Jan-11 22:46
Greg10214-Jan-11 22:46 
QuestionHow to access methods in external module or class? [modified] Pin
Member 44219504-Oct-09 5:48
Member 44219504-Oct-09 5:48 
QuestionHow to Package and compile the programm Pin
Member 459740028-Jul-08 7:42
Member 459740028-Jul-08 7:42 
QuestionAccess a windows form control on the Entry assembly from a dynamically created assembly. Pin
gadya18-Jul-08 3:42
gadya18-Jul-08 3:42 
AnswerRe: Access a windows form control on the Entry assembly from a dynamically created assembly. Pin
Jim Rogers20-Jul-08 8:19
Jim Rogers20-Jul-08 8:19 
GeneralRe: Access a windows form control on the Entry assembly from a dynamically created assembly. Pin
gadya21-Jul-08 4:21
gadya21-Jul-08 4:21 
GeneralPassing an array to a Method Pin
MisterT9916-Oct-07 5:41
MisterT9916-Oct-07 5:41 
GeneralRe: Passing an array to a Method Pin
Jim Rogers19-Oct-07 2:31
Jim Rogers19-Oct-07 2:31 
GeneralGreat Job Pin
SFWheeler20-Feb-07 9:24
SFWheeler20-Feb-07 9:24 
QuestionUse a class of current project inside the assembly? Pin
Lee Sing13-Dec-06 6:13
Lee Sing13-Dec-06 6:13 
AnswerRe: Use a class of current project inside the assembly? Pin
Lee Sing14-Dec-06 2:18
Lee Sing14-Dec-06 2:18 
GeneralRe: Use a class of current project inside the assembly? Pin
celsoalejo11-Sep-09 2:18
celsoalejo11-Sep-09 2:18 
Generalcompiling .net code on the fly[c# programs] Pin
karaneshwar14-May-06 10:33
karaneshwar14-May-06 10:33 
GeneralRe: compiling .net code on the fly[c# programs] Pin
Jim Rogers15-May-06 5:30
Jim Rogers15-May-06 5:30 
Generalhi Pin
nbcbm22-Jan-06 23:01
nbcbm22-Jan-06 23:01 
GeneralRe: hi Pin
Jim Rogers23-Jan-06 4:32
Jim Rogers23-Jan-06 4:32 
GeneralRe: hi Pin
nbcbm24-Jan-06 6:43
nbcbm24-Jan-06 6:43 
GeneralRe: hi Pin
Jim Rogers24-Jan-06 8:57
Jim Rogers24-Jan-06 8:57 
GeneralRe: hi Pin
nbcbm24-Jan-06 22:24
nbcbm24-Jan-06 22:24 
GeneralPocket PC Compilation Pin
rimblock3-Jan-06 2:42
rimblock3-Jan-06 2:42 
GeneralVB.Net Pin
VijarM8-Aug-05 1:35
VijarM8-Aug-05 1:35 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.