Thomas Carlton
Thomas Carlton

Reputation: 5968

How to load an internal class in end-user compiled code ? (advanced)

I have a main program with two classes

1- A winform that contains two elements :

enter image description here

The end user may type some VB.Net code in the memo edit and then compile it.

2 - A simple test class :

Code :

Public Class ClassTest
    Public Sub New()
        MsgBox("coucou")
    End Sub
End Class

Now I would like to use the class ClassTest in the code that will be typed in the MemoEdit and then compile it :

enter image description here

When hitting compile I recieve the error :

enter image description here

The reason is that, the compiler can't find the namespace ClassTest

So to summarize :

Does anyone know how to do that please ?

Thank you in advance for your help.

Code of the WinForm :

Public Class Form1
    Private Sub SimpleButtonCompile_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles SimpleButtonCompile.Click
        Dim Code As String = Me.MemoEdit1.Text

        Dim CompilerResult As CompilerResults
        CompilerResult = Compile(Code)
    End Sub

    Public Function Compile(ByVal Code As String) As CompilerResults
        Dim CodeProvider As New VBCodeProvider
        Dim CodeCompiler As System.CodeDom.Compiler.CodeDomProvider = CodeDomProvider.CreateProvider("VisualBasic")

        Dim Parameters As New System.CodeDom.Compiler.CompilerParameters
        Parameters.GenerateExecutable = False

        Dim CompilerResult As CompilerResults = CodeCompiler.CompileAssemblyFromSource(Parameters, Code)

        If CompilerResult.Errors.HasErrors Then
            For i = 0 To CompilerResult.Errors.Count - 1
                MsgBox(CompilerResult.Errors(i).ErrorText)
            Next

            Return Nothing
        Else
            Return CompilerResult
        End If
    End Function
End Class

Upvotes: 2

Views: 225

Answers (1)

Thomas Carlton
Thomas Carlton

Reputation: 5968

Here is the solution :

If the end user wants to use internal classes he should use the command : Assembly.GetExecutingAssembly

The full code will be :

enter image description here

Code :

Imports System.Reflection
Imports System

Public Class EndUserClass
    Public Sub New()

        Dim Assembly As Assembly = Assembly.GetExecutingAssembly
        Dim ClassType As Type = Assembly.GetType(Assembly.GetName().Name & ".ClassTest")
        Dim Instance = Activator.CreateInstance(ClassType)

    End Sub 
End class

Upvotes: 1

Related Questions