HTML Templates — php?

前端 未结 4 1515
时光说笑
时光说笑 2021-02-05 23:20

So, I\'m making a site about WWI as a school assignment, and I want this to appear in every document:





    <         


        
4条回答
  •  旧巷少年郎
    2020-11-21 02:35

    Prior to Java 8

    We could have used Arrays.toString(array) to print one dimensional array and Arrays.deepToString(array) for multi-dimensional arrays.

    Java 8

    Now we have got the option of Stream and lambda to print the array.

    Printing One dimensional Array:

    public static void main(String[] args) {
        int[] intArray = new int[] {1, 2, 3, 4, 5};
        String[] strArray = new String[] {"John", "Mary", "Bob"};
    
        //Prior to Java 8
        System.out.println(Arrays.toString(intArray));
        System.out.println(Arrays.toString(strArray));
    
        // In Java 8 we have lambda expressions
        Arrays.stream(intArray).forEach(System.out::println);
        Arrays.stream(strArray).forEach(System.out::println);
    }
    

    The output is:

    [1, 2, 3, 4, 5]
    [John, Mary, Bob]
    1
    2
    3
    4
    5
    John
    Mary
    Bob

    Printing Multi-dimensional Array Just in case we want to print multi-dimensional array we can use Arrays.deepToString(array) as:

    public static void main(String[] args) {
        int[][] int2DArray = new int[][] { {11, 12}, { 21, 22}, {31, 32, 33} };
        String[][] str2DArray = new String[][]{ {"John", "Bravo"} , {"Mary", "Lee"}, {"Bob", "Johnson"} };
    
        //Prior to Java 8
        System.out.println(Arrays.deepToString(int2DArray));
        System.out.println(Arrays.deepToString(str2DArray));
    
        // In Java 8 we have lambda expressions
        Arrays.stream(int2DArray).flatMapToInt(x -> Arrays.stream(x)).forEach(System.out::println);
        Arrays.stream(str2DArray).flatMap(x -> Arrays.stream(x)).forEach(System.out::println);
    } 
    

    Now the point to observe is that the method Arrays.stream(T[]), which in case of int[] returns us Stream and then method flatMapToInt() maps each element of stream with the contents of a mapped stream produced by applying the provided mapping function to each element.

    The output is:

    [[11, 12], [21, 22], [31, 32, 33]]
    [[John, Bravo], [Mary, Lee], [Bob, Johnson]]
    11
    12
    21
    22
    31
    32
    33
    John
    Bravo
    Mary
    Lee
    Bob
    Johnson

提交回复
热议问题