static imports in c#
Does C# has feature like Java's static imports?
so instead of writing code like
FileHelper.ExtractSimpleFileName(file)
I could write
ExtractSimpleFileName(fi开发者_JAVA百科le)
and compiler would know that I mean method from FileHelper.
Starting with C# 6.0, this is possible:
using static FileHelper;
// in a member
ExtractSimpleFileName(file)
However, previous versions of C# do not have static imports.
You can get close with an alias for the type.
using FH = namespace.FileHelper;
// in a member
FH.ExtractSimpleFileName(file)
Alternatively, change the static method to an extension method on the type - you would then be able to call it as:
var value = file.ExtractSimpleFileName();
No, such feature doesn't exist in C#. You need to specify the class that the static method belongs to unless you are already inside a method of this same class.
In C# though you have extension methods which kind of mimic this.
C# 6.0 under Roslyn Platform supports Static import. It requires statement like:
using static System.Console;
so the code might look like:
using static System.Console;
namespace TestApplication
{
class Program
{
static void Main(string[] args)
{
WriteLine("My test message");
}
}
}
The earlier planned version for C# 6.0 had static import without static
keyword.
For other new features in C# 6.0 see: New Language Features in C# 6
Time marches on... it looks like C# might get static imports in the next version, see http://msdn.microsoft.com/en-us/magazine/dn683793.aspx for a preview.
using System;
using System.Console; // using the Console class here
public class Program
{
public static void Main()
{
// Console.WriteLine is called here
WriteLine("Hello world!");
}
}
The official documentation for the 'Roslyn' C# compiler lists the feature as 'done'
If you are using .Net 6+ with C# 10+, you can add all the namepaces, (including the static ones) that you want to use globally in obj > Projectname.GlobalUsings.g.cs and you'll be able to use all the classes that are part of those namepaces without importing. Here are some examples:
global using global::System.Net.Http.Json;
global using global::System.Threading;
global using global::System.Threading.Tasks;
global using static global::System.Console;
精彩评论