Java tips

Short blocks of code

Anonymous Classes

https://docs.oracle.com/javase/tutorial/java/javaOO/anonymousclasses.html

The anonymous class expression consists of the following:

Example:

public class HelloWorldAnonymousClasses {
  
    interface HelloWorld {
        public void greet();
        public void greetSomeone(String someone);
    }
  
    public void sayHello() {
        
        HelloWorld frenchGreeting = new HelloWorld() {
            String name = "tout le monde";
            public void greet() {
                greetSomeone("tout le monde");
            }
            public void greetSomeone(String someone) {
                name = someone;
                System.out.println("Salut " + name);
            }
        };
        
}

Example with override class form lib:

        btn.setOnAction(new EventHandler<ActionEvent>() {
 
            @Override
            public void handle(ActionEvent event) {
                System.out.println("Hello World!");
            }
        });

Lambda

Anonymous class seems a bit excessive and cumbersome. Lambda expressions let you express instances of single-method classes more compactly.

https://www.w3schools.com/java/java_lambda.asp

A lambda expression is a short block of code which takes in parameters and returns a value. Lambda expressions are similar to methods, but they do not need a name and they can be implemented right in the body of a method.

(parameter1, parameter2) -> expression

(parameter1, parameter2) -> { code block }

Example:

ArrayList<Integer> numbers = new ArrayList<Integer>();
numbers.forEach( (n) -> { System.out.println(n); } );
ArrayList<Integer> numbers = new ArrayList<Integer>();
Consumer<Integer> method = (n) -> { System.out.println(n); };
numbers.forEach( method );

To use a lambda expression in a method, the method should have a parameter with a single-method interface as its type. Calling the interface's method will run the lambda expression

interface StringFunction {
  String run(String str);
}

public class Main {
  public static void main(String[] args) {
    StringFunction exclaim = (s) -> s + "!";
    StringFunction ask = (s) -> s + "?";
    printFormatted("Hello", exclaim);
    printFormatted("Hello", ask);
  }
  public static void printFormatted(String str, StringFunction format) {
    String result = format.run(str);
    System.out.println(result);
  }
}

Consumer, Predicate, Supplier, and Function {#9857}

https://medium.com/javarevisited/java-8s-consumer-predicate-supplier-and-function-bbc609a29ff9

A Consumer is an in-build functional interface in the java.util.function package. we use consumers when we need to consume objects, the consumer takes an input value and returns nothing.

Consumer<String> printConsumer= city-> System.*out*.println(city);

A Predicate is a functional interface, which accepts an argument and returns a boolean. Usually, it is used to apply in a filter for a collection of objects.

Predicate<String> filterCity = city -> city.equals("Mumbai");
   cities.stream().filter(filterCity).forEach(System.*out*::println);

AFunction is another in-build functional interface in java.util.function package, the function takes an input value and returns a value.

Function<String, Character> getFirstCharFunction = city -> {
        returncity.charAt(0);
    };
cities.stream().map(getFirstCharFunction)
                   .forEach(System.*out*::println);
 

The Supplier Interface is a part of the java.util.function package. It represents a function that does not take in any argument but produces a value of type T. It contains only one method.


Supplier<String[]> citySupplier = () -> {
        return newString[]{"Mumbai", "Delhi", "Goa", "Pune"};
    };
Arrays.asList(citySupplier.get()).forEach(System.*out*::println);

The BinaryOperator Interface<T> is a part of the java.util.function package which has been introduced since Java 8, to implement functional programming in Java. It represents a binary operator which takes two operands and operates on them to produce a result. However, what distinguishes it from a normal BiFunciton is that both of its arguments and its return type are same.

        BinaryOperator<Integer> divide = (a, b) -> {
            double divisionResult = (double) a / b;
            // Round the result, and return it as an integer
            return (int) Math.round(divisionResult);
        };

Java text block

https://docs.oracle.com/en/java/javase/21/text-blocks/index.html

Using a text block

(java 15+)

A text block can be used in place of a string literal to improve the readability and clarity of the code. This primarily occurs when a string literal is used to represent a multi-line string. In this case there is considerable clutter from quotation marks, newline escapes, and concatentation operators.


// ORIGINAL
String message = "'The time has come,' the Walrus said,\n" +
                 "'To talk of many things:\n" +
                 "Of shoes -- and ships -- and sealing-wax --\n" +
                 "Of cabbages -- and kings --\n" +
                 "And why the sea is boiling hot --\n" +
                 "And whether pigs have wings.'\n";

Using text blocks removes much of the clutter:


// BETTER
String message = """
    'The time has come,' the Walrus said,
    'To talk of many things:
    Of shoes -- and ships -- and sealing-wax --
    Of cabbages -- and kings --
    And why the sea is boiling hot --
    And whether pigs have wings.'
    """;

The example below uses "·" to visualize the incidental white space, with essential white space shown as actual white space.


void writeHTML() {
    String html = """
········<html>
········    <body>
········        <p>Hello World.</p>
········    </body>
········</html>
········""";
    writeOutput(html);
}

After the incidental white space is stripped, the resulting contents of the text block are as follows:


<html>
    <body>
        <p>Hello World.</p>
    </body>
</html>

How to avoid inserting last line break if it is not needed


String html1 = """
	<a href=\
	"""
	+ hrefUrl +
	"""
        ">""";
String html2 = """
	<a href=\""""
	+ hrefUrl +
	"""
        ">""";
String html3 = """
	<a href=" """
	+ hrefUrl +
	"""
        ">""";
 

Recommendation:

Note: Show non-printable characters in IntelliJ IDEA https://intellij-support.jetbrains.com/hc/en-us/community/posts/207045165-Show-non-printable-characters-Tabs

Java String Templates

https://www.baeldung.com/java-21-string-templates

https://belief-driven-design.com/looking-at-java-21-string-templates-c7cbc/

String Formatter


String html4 = String.format("""
  			<a href="%s">
   			""", hrefUrl);

MessageFormat Class

		String html5 = MessageFormat.format("""
    			<a href="{0}">
    			""", hrefUrl);

STR Template Processor

https://docs.oracle.com/en/java/javase/21/language/string-templates.html#GUID-771D8AC4-EAE6-456D-A476-306717F75C0C

https://mail.openjdk.org/pipermail/amber-spec-experts/2024-April/004106.html Update on String Templates (JEP 459) - (There will be no String Template in JDK 23)


String  html6 = STR."""
  			<a href="\{hrefUrl}">
  			""";

Note: in Java 21 use "--enable preview" to enable STR https://stackoverflow.com/questions/72083752/enable-preview-features-in-an-early-access-version-of-java-in-intellij


JSON - Java Bean convert

Online convertors

https://json2csharp.com/code-converters/json-to-pojo

https://www.jsonschema2pojo.org/