Neither in Java nor in C# you can create an instance of an abstract class.
You will always need to create a concrete class that inherits from the abstract class.
Java let you do it without naming the class, using anonymous classes. C# does not give you that option.
(Edited to show a delegate as a replacement. I don't have access to VS here, so it may not compile, but this is the idea )
Usually in Java when you use an abstract class with a single abstract method (SAM) what you are really trying to achieve is to pass some code as a parameter.
Let's say you need to sort an array of objects based on the class name, using Collections.sort(Collection, Comparator)
(I know Comparator is an interface, but it is the same idea)
Using an anonymous class to avoid extra typing, you can write something like
Comparator<Object> comparator = new Comparator<Object>{
@Override
public int compare(Object o1, Objecto2) {
return o1.getClass().getSimpleName().compareTo(o2.getClass().getSimpleName()));
}//I'm not checking for null for simplicity
}
Collections.sort(list, comparator)
In c# 2.0 and beyond you can do pretty much the same using the Comparison<T> Delegate
. A delegate can be thought as a function object, or in java words, an class with a single method. Yo dont even need to create a class, but only a method using the keyword delegate.
Comparison<Object> comparison = delegate(Object o1, Object o2)
{
return o1.class.Name.Compare(o2.class.Name);
};
list.sort(comparison);
In c# 3.0 and beyond you can even write less code using lambdas and type inference
list.sort((o1, o2)=> o1.class.Name.Compare(o2.class.Name))
Anyway, if you are migrating code form java to c# you should read about delegates...in many of cases you will use delegates instead of anonymous classes. In your case, you are using a method void toDoSmth(). There is a delegate called Action which is pretty much the same thing, a method with no parameters and no return.