c# hide class members when exporting DLL

4.8k Views Asked by At

Can I only make some methods visible to the end user when I'm publishing a DLL to third party applications?

My code is built upon 7-8 different projects which call each other, they have different namespaces like "Company.ProjectName" which I think relate under the "Company" namespace, and I only want one of the projects (which has an interface defined BTW) to be visible to outer world.

Every project in the solution compiles into DLL's and then I'm combining them using ILASM.

BTW, there are other projects using these in the solution that are not related to this dll.

Edit: will the internal keyword work even if the namespaces are constructed like "CompanyName.Project1", "CompanyName.Project2" ? Will they see each other?

2

There are 2 best solutions below

3
On BEST ANSWER

You don't need to combine them, you just need a friend assembly:

When you are developing a class library and additions to the library are contained in separate assemblies but require access to members in existing assemblies that are marked as Friend (Visual Basic) or internal (C#).
...
Only assemblies that you explicitly specify as friends can access Friend (Visual Basic) or internal (C#) types and members.

The InternalsVisibleTo attribute:

[assembly: InternalsVisibleTo("AssemblyB")]   

helps to lock it down so only the specified assembly can access the internal items.

(In answer to your edit: this is specified at the assembly level, it doesn't matter what the namespace is).

0
On

Use internal

See the example below

public class MyPublicClass
{

    public void DoSomething()
    {
        var myInternalClass = new MyInternalClass();
        myInternalClass.DoSomething();
    }
}

internal class MyInternalClass
{

    public void DoSomething()
    {
    }
}

In your DLL, MyPublicClass will be visible to external users - those who reference your DLL.

MyInternalClass will not be visible.