Java method call chaining in static context

2019-06-18 15:58发布

问题:

In StringBuilder class I can do like this:

StringBuilder sb = new StringBuilder();
sb.append( "asd").append(34);

method append returns StringBuilder instance, and I can continuosly call that.

My question is it possible to do so in static method context? without class instance

回答1:

Yes. Like this (untested).

public class Static {

  private final static Static INSTANCE = new Static();

  public static Static doStuff(...) {
     ...;
     return INSTANCE;
  }

  public static Static doOtherStuff() {
    ....
    return INSTANCE;
  }
}

You can now have code like.

Static.doStuff(...).doOtherStuff(...).doStuff(...);

I would recommend against it though.



回答2:

This is called method-chaining.

To do it, you always need an instantiated object. So, sorry, but you cannot do it in a static context as there is no object associated with that.



回答3:

You want the builder pattern on a static? No. Best to convert your statics to instances.



回答4:

Do you want this ?

public class AppendOperation() {
    private static StringBuilder sb =  new StringBuilder(); 

    public static StringBuilder append(String s){
        return sb.append(s);
    }

    public static void main(String... args){

         System.out.println(AppendOperation.append("ada").append("dsa").append("asd"));

    }

}

maybe I don't understand the question (static context) correctly

do you mean this?

static {

} //of course you can do this, too

if not all above, you can't do without any static method because append() is not static



回答5:

As said here You can simply return null. For example:

public class MyClass {

    public static MyClass myMethod() {
        doSomething();
        return null;
    }
}