Does C# have an equivalent of Java static nested c

2020-02-26 18:41发布

I am converting Java into C# and have the following code (see discussion in Java Context about its use). One approach might be to create a separate file/class but is there a C# idom which preserves the intention in the Java code?

   public class Foo {

    // Foo fields and functions
    // ...
        private static class SGroup {
            private static Map<Integer, SGroup> idMap = new HashMap<Integer, SGroup>();

            public SGroup(int id, String type) {
    // ...
            }
        }
    }

3条回答
一纸荒年 Trace。
2楼-- · 2020-02-26 19:27

All C# nested classes are like Java static nested classes:

C#:

class Outer
{
    class Inner
    {
    }
}

Is like Java's:

class Outer
{
    static class Inner
    {
    }
}

In other words, an instance of Inner doesn't have an implicit reference to an instance of Outer.

There isn't the equivalent of a Java inner class in C# though.

The accessibility rules are somewhat different between the two languages though: in C#, the code in the nested class has access to private members in the containing class; in Java it's the other way round.

查看更多
Deceive 欺骗
3楼-- · 2020-02-26 19:29

You can have a static nested class in C#, according to Nested Classes.

查看更多
够拽才男人
4楼-- · 2020-02-26 19:33

Give this a look http://blogs.msdn.com/oldnewthing/archive/2006/08/01/685248.aspx

I am looking specifically at

In other words, Java inner classes are syntactic sugar that is not available to C#. In C#, you have to do it manually.

If you want, you can create your own sugar:

class OuterClass {
 ...
 InnerClass NewInnerClass() {
  return new InnerClass(this);
 }
 void SomeFunction() {
  InnerClass i = this.NewInnerClass();
  i.GetOuterString();
 }
}

Where you would want to write in Java new o.InnerClass(...) you can write in C# either o.NewInnerClass(...) or new InnerClass(o, ...). Yes, it's just a bunch of moving the word new around. Like I said, it's just sugar.

查看更多
登录 后发表回答