diff --git a/core-groovy/src/main/groovy/com/baeldung/Person.groovy b/core-groovy/src/main/groovy/com/baeldung/Person.groovy
new file mode 100644
index 0000000000..6a009aeee0
--- /dev/null
+++ b/core-groovy/src/main/groovy/com/baeldung/Person.groovy
@@ -0,0 +1,37 @@
+package com.baeldung
+
+class Person {
+ private String firstname
+ private String lastname
+ private Integer age
+
+ Person(String firstname, String lastname, Integer age) {
+ this.firstname = firstname
+ this.lastname = lastname
+ this.age = age
+ }
+
+ String getFirstname() {
+ return firstname
+ }
+
+ void setFirstname(String firstname) {
+ this.firstname = firstname
+ }
+
+ String getLastname() {
+ return lastname
+ }
+
+ void setLastname(String lastname) {
+ this.lastname = lastname
+ }
+
+ Integer getAge() {
+ return age
+ }
+
+ void setAge(Integer age) {
+ this.age = age
+ }
+}
diff --git a/core-groovy/src/test/groovy/com/baeldung/lists/ListTest.groovy b/core-groovy/src/test/groovy/com/baeldung/lists/ListTest.groovy
index f682503ed4..7771028132 100644
--- a/core-groovy/src/test/groovy/com/baeldung/lists/ListTest.groovy
+++ b/core-groovy/src/test/groovy/com/baeldung/lists/ListTest.groovy
@@ -129,13 +129,13 @@ class ListTest{
assertTrue(filterList.findAll{it > 3} == [4, 5, 6, 76])
assertTrue(filterList.findAll{ it instanceof Number} == [2, 1, 3, 4, 5, 6, 76])
-
+
assertTrue(filterList.grep( Number )== [2, 1, 3, 4, 5, 6, 76])
-
+
assertTrue(filterList.grep{ it> 6 }== [76])
def conditionList = [2, 1, 3, 4, 5, 6, 76]
-
+
assertFalse(conditionList.every{ it < 6})
assertTrue(conditionList.any{ it%2 == 0})
@@ -165,7 +165,7 @@ class ListTest{
def strList = ["na", "ppp", "as"]
assertTrue(strList.max() == "ppp")
-
+
Comparator minc = {a,b -> a == b? 0: a < b? -1 : 1}
def numberList = [3, 2, 0, 7]
assertTrue(numberList.min(minc) == 0)
diff --git a/core-groovy/src/test/groovy/com/baeldung/lists/ListUnitTest.groovy b/core-groovy/src/test/groovy/com/baeldung/lists/ListUnitTest.groovy
new file mode 100644
index 0000000000..9617c099ce
--- /dev/null
+++ b/core-groovy/src/test/groovy/com/baeldung/lists/ListUnitTest.groovy
@@ -0,0 +1,58 @@
+package com.baeldung.lists
+
+import com.baeldung.Person
+import org.junit.Test
+
+import static org.junit.Assert.*
+
+class ListUnitTest {
+
+ private final personList = [
+ new Person("Regina", "Fitzpatrick", 25),
+ new Person("Abagail", "Ballard", 26),
+ new Person("Lucian", "Walter", 30),
+ ]
+
+ @Test
+ void whenListContainsElement_thenCheckReturnsTrue() {
+ def list = ['a', 'b', 'c']
+
+ assertTrue(list.indexOf('a') > -1)
+ assertTrue(list.contains('a'))
+ }
+
+ @Test
+ void whenListContainsElement_thenCheckWithMembershipOperatorReturnsTrue() {
+ def list = ['a', 'b', 'c']
+
+ assertTrue('a' in list)
+ }
+
+ @Test
+ void givenListOfPerson_whenUsingStreamMatching_thenShouldEvaluateList() {
+ assertTrue(personList.stream().anyMatch {it.age > 20})
+ assertFalse(personList.stream().allMatch {it.age < 30})
+ }
+
+ @Test
+ void givenListOfPerson_whenUsingCollectionMatching_thenShouldEvaluateList() {
+ assertTrue(personList.any {it.age > 20})
+ assertFalse(personList.every {it.age < 30})
+ }
+
+ @Test
+ void givenListOfPerson_whenUsingStreamFind_thenShouldReturnMatchingElements() {
+ assertTrue(personList.stream().filter {it.age > 20}.findAny().isPresent())
+ assertFalse(personList.stream().filter {it.age > 30}.findAny().isPresent())
+ assertTrue(personList.stream().filter {it.age > 20}.findAll().size() == 3)
+ assertTrue(personList.stream().filter {it.age > 30}.findAll().isEmpty())
+ }
+
+ @Test
+ void givenListOfPerson_whenUsingCollectionFind_thenShouldReturnMatchingElements() {
+ assertNotNull(personList.find {it.age > 20})
+ assertNull(personList.find {it.age > 30})
+ assertTrue(personList.findAll {it.age > 20}.size() == 3)
+ assertTrue(personList.findAll {it.age > 30}.isEmpty())
+ }
+}
diff --git a/core-groovy/src/test/groovy/com/baeldung/map/MapUnitTest.groovy b/core-groovy/src/test/groovy/com/baeldung/map/MapUnitTest.groovy
index 97ffc50c76..0d6bbed04b 100644
--- a/core-groovy/src/test/groovy/com/baeldung/map/MapUnitTest.groovy
+++ b/core-groovy/src/test/groovy/com/baeldung/map/MapUnitTest.groovy
@@ -1,10 +1,18 @@
package com.baeldung.map
-import static org.junit.Assert.*
+import com.baeldung.Person
import org.junit.Test
+import static org.junit.Assert.*
+
class MapUnitTest {
+ private final personMap = [
+ Regina : new Person("Regina", "Fitzpatrick", 25),
+ Abagail: new Person("Abagail", "Ballard", 26),
+ Lucian : new Person("Lucian", "Walter", 30)
+ ]
+
@Test
void whenUsingEach_thenMapIsIterated() {
def map = [
@@ -63,7 +71,7 @@ class MapUnitTest {
'FF6347' : 'Tomato',
'FF4500' : 'Orange Red'
]
-
+
map.eachWithIndex { key, val, index ->
def indent = ((index == 0 || index % 2 == 0) ? " " : "")
println "$indent Hex Code: $key = Color Name: $val"
@@ -82,4 +90,65 @@ class MapUnitTest {
println "Hex Code: $entry.key = Color Name: $entry.value"
}
}
+
+ @Test
+ void whenMapContainsKeyElement_thenCheckReturnsTrue() {
+ def map = [a: 'd', b: 'e', c: 'f']
+
+ assertTrue(map.containsKey('a'))
+ assertFalse(map.containsKey('e'))
+ assertTrue(map.containsValue('e'))
+ }
+
+ @Test
+ void whenMapContainsKeyElement_thenCheckByMembershipReturnsTrue() {
+ def map = [a: 'd', b: 'e', c: 'f']
+
+ assertTrue('a' in map)
+ assertFalse('f' in map)
+ }
+
+ @Test
+ void whenMapContainsFalseBooleanValues_thenCheckReturnsFalse() {
+ def map = [a: true, b: false, c: null]
+
+ assertTrue(map.containsKey('b'))
+ assertTrue('a' in map)
+ assertFalse('b' in map)
+ assertFalse('c' in map)
+ }
+
+ @Test
+ void givenMapOfPerson_whenUsingStreamMatching_thenShouldEvaluateMap() {
+ assertTrue(personMap.keySet().stream().anyMatch {it == "Regina"})
+ assertFalse(personMap.keySet().stream().allMatch {it == "Albert"})
+ assertFalse(personMap.values().stream().allMatch {it.age < 30})
+ assertTrue(personMap.entrySet().stream().anyMatch {it.key == "Abagail" && it.value.lastname == "Ballard"})
+ }
+
+ @Test
+ void givenMapOfPerson_whenUsingCollectionMatching_thenShouldEvaluateMap() {
+ assertTrue(personMap.keySet().any {it == "Regina"})
+ assertFalse(personMap.keySet().every {it == "Albert"})
+ assertFalse(personMap.values().every {it.age < 30})
+ assertTrue(personMap.any {firstname, person -> firstname == "Abagail" && person.lastname == "Ballard"})
+ }
+
+ @Test
+ void givenMapOfPerson_whenUsingCollectionFind_thenShouldReturnElements() {
+ assertNotNull(personMap.find {it.key == "Abagail" && it.value.lastname == "Ballard"})
+ assertTrue(personMap.findAll {it.value.age > 20}.size() == 3)
+ }
+
+ @Test
+ void givenMapOfPerson_whenUsingStreamFind_thenShouldReturnElements() {
+ assertTrue(
+ personMap.entrySet().stream()
+ .filter {it.key == "Abagail" && it.value.lastname == "Ballard"}
+ .findAny().isPresent())
+ assertTrue(
+ personMap.entrySet().stream()
+ .filter {it.value.age > 20}
+ .findAll().size() == 3)
+ }
}
diff --git a/core-groovy/src/test/groovy/com/baeldung/set/SetUnitTest.groovy b/core-groovy/src/test/groovy/com/baeldung/set/SetUnitTest.groovy
new file mode 100644
index 0000000000..1248c9ac91
--- /dev/null
+++ b/core-groovy/src/test/groovy/com/baeldung/set/SetUnitTest.groovy
@@ -0,0 +1,16 @@
+package com.baeldung.set
+
+import org.junit.Test
+
+import static org.junit.Assert.assertTrue
+
+class SetUnitTest {
+
+ @Test
+ void whenSetContainsElement_thenCheckReturnsTrue() {
+ def set = ['a', 'b', 'c'] as Set
+
+ assertTrue(set.contains('a'))
+ assertTrue('a' in set)
+ }
+}
\ No newline at end of file
diff --git a/core-java-11/src/modules/jlinkModule/com/baeldung/jlink/HelloWorld.java b/core-java-11/src/modules/jlinkModule/com/baeldung/jlink/HelloWorld.java
new file mode 100644
index 0000000000..47fe62ba40
--- /dev/null
+++ b/core-java-11/src/modules/jlinkModule/com/baeldung/jlink/HelloWorld.java
@@ -0,0 +1,12 @@
+package com.baeldung.jlink;
+
+import java.util.logging.Logger;
+
+public class HelloWorld {
+
+ private static final Logger LOG = Logger.getLogger(HelloWorld.class.getName());
+
+ public static void main(String[] args) {
+ LOG.info("Hello World!");
+ }
+}
diff --git a/core-java-11/src/modules/jlinkModule/module-info.java b/core-java-11/src/modules/jlinkModule/module-info.java
new file mode 100644
index 0000000000..0587c65b53
--- /dev/null
+++ b/core-java-11/src/modules/jlinkModule/module-info.java
@@ -0,0 +1,3 @@
+module jlinkModule {
+ requires java.logging;
+}
\ No newline at end of file
diff --git a/core-java-12/pom.xml b/core-java-12/pom.xml
new file mode 100644
index 0000000000..729b29381b
--- /dev/null
+++ b/core-java-12/pom.xml
@@ -0,0 +1,48 @@
+
+
+ 4.0.0
+ com.baeldung
+ core-java-12
+ 0.1.0-SNAPSHOT
+ core-java-12
+ jar
+ http://maven.apache.org
+
+
+ com.baeldung
+ parent-modules
+ 1.0.0-SNAPSHOT
+
+
+
+
+ org.assertj
+ assertj-core
+ ${assertj.version}
+ test
+
+
+
+
+
+
+ org.apache.maven.plugins
+ maven-compiler-plugin
+ ${maven-compiler-plugin.version}
+
+
+ ${maven.compiler.target.version}
+
+
+
+
+
+
+ 12
+ 12
+ 3.6.1
+
+
+
\ No newline at end of file
diff --git a/core-java-12/src/test/java/com/baeldung/collectors/CollectorsUnitTest.java b/core-java-12/src/test/java/com/baeldung/collectors/CollectorsUnitTest.java
new file mode 100644
index 0000000000..68915b504d
--- /dev/null
+++ b/core-java-12/src/test/java/com/baeldung/collectors/CollectorsUnitTest.java
@@ -0,0 +1,77 @@
+package com.baeldung.collectors;
+
+import java.util.Arrays;
+import java.util.List;
+import java.util.Objects;
+
+import org.junit.Test;
+
+import static java.util.stream.Collectors.maxBy;
+import static java.util.stream.Collectors.minBy;
+import static java.util.stream.Collectors.teeing;
+import static org.assertj.core.api.Assertions.assertThat;
+
+/**
+ * Unit tests for collectors additions in Java 12.
+ */
+public class CollectorsUnitTest {
+
+ @Test
+ public void whenTeeing_ItShouldCombineTheResultsAsExpected() {
+ List numbers = Arrays.asList(42, 4, 2, 24);
+ Range range = numbers.stream()
+ .collect(teeing(
+ minBy(Integer::compareTo),
+ maxBy(Integer::compareTo),
+ (min, max) -> new Range(min.orElse(null), max.orElse(null))
+ ));
+
+ assertThat(range).isEqualTo(new Range(2, 42));
+ }
+
+ /**
+ * Represents a closed range of numbers between {@link #min} and
+ * {@link #max}, both inclusive.
+ */
+ private static class Range {
+
+ private final Integer min;
+
+ private final Integer max;
+
+ Range(Integer min, Integer max) {
+ this.min = min;
+ this.max = max;
+ }
+
+ Integer getMin() {
+ return min;
+ }
+
+ Integer getMax() {
+ return max;
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) return true;
+ if (o == null || getClass() != o.getClass()) return false;
+ Range range = (Range) o;
+ return Objects.equals(getMin(), range.getMin()) &&
+ Objects.equals(getMax(), range.getMax());
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(getMin(), getMax());
+ }
+
+ @Override
+ public String toString() {
+ return "Range{" +
+ "min=" + min +
+ ", max=" + max +
+ '}';
+ }
+ }
+}
diff --git a/core-java-8/src/test/java/com/baeldung/java8/Java8SortUnitTest.java b/core-java-8/src/test/java/com/baeldung/java8/Java8SortUnitTest.java
index 71ec5b147f..57d9d8347b 100644
--- a/core-java-8/src/test/java/com/baeldung/java8/Java8SortUnitTest.java
+++ b/core-java-8/src/test/java/com/baeldung/java8/Java8SortUnitTest.java
@@ -124,11 +124,44 @@ public class Java8SortUnitTest {
@Test
public final void givenStreamCustomOrdering_whenSortingEntitiesByName_thenCorrectlySorted() {
-
final List humans = Lists.newArrayList(new Human("Sarah", 10), new Human("Jack", 12));
final Comparator nameComparator = (h1, h2) -> h1.getName().compareTo(h2.getName());
final List sortedHumans = humans.stream().sorted(nameComparator).collect(Collectors.toList());
Assert.assertThat(sortedHumans.get(0), equalTo(new Human("Jack", 12)));
}
+
+ @Test
+ public final void givenStreamComparatorOrdering_whenSortingEntitiesByName_thenCorrectlySorted() {
+ final List humans = Lists.newArrayList(new Human("Sarah", 10), new Human("Jack", 12));
+
+ final List sortedHumans = humans.stream().sorted(Comparator.comparing(Human::getName)).collect(Collectors.toList());
+ Assert.assertThat(sortedHumans.get(0), equalTo(new Human("Jack", 12)));
+ }
+
+ @Test
+ public final void givenStreamNaturalOrdering_whenSortingEntitiesByNameReversed_thenCorrectlySorted() {
+ final List letters = Lists.newArrayList("B", "A", "C");
+
+ final List reverseSortedLetters = letters.stream().sorted(Comparator.reverseOrder()).collect(Collectors.toList());
+ Assert.assertThat(reverseSortedLetters.get(0), equalTo("C"));
+ }
+
+ @Test
+ public final void givenStreamCustomOrdering_whenSortingEntitiesByNameReversed_thenCorrectlySorted() {
+ final List humans = Lists.newArrayList(new Human("Sarah", 10), new Human("Jack", 12));
+ final Comparator reverseNameComparator = (h1, h2) -> h2.getName().compareTo(h1.getName());
+
+ final List reverseSortedHumans = humans.stream().sorted(reverseNameComparator).collect(Collectors.toList());
+ Assert.assertThat(reverseSortedHumans.get(0), equalTo(new Human("Sarah", 10)));
+ }
+
+ @Test
+ public final void givenStreamComparatorOrdering_whenSortingEntitiesByNameReversed_thenCorrectlySorted() {
+ final List humans = Lists.newArrayList(new Human("Sarah", 10), new Human("Jack", 12));
+
+ final List reverseSortedHumans = humans.stream().sorted(Comparator.comparing(Human::getName, Comparator.reverseOrder())).collect(Collectors.toList());
+ Assert.assertThat(reverseSortedHumans.get(0), equalTo(new Human("Sarah", 10)));
+ }
+
}
diff --git a/core-java-networking/src/main/java/com/baeldung/socket/read/Client.java b/core-java-networking/src/main/java/com/baeldung/socket/read/Client.java
new file mode 100644
index 0000000000..5e2a84a767
--- /dev/null
+++ b/core-java-networking/src/main/java/com/baeldung/socket/read/Client.java
@@ -0,0 +1,29 @@
+package com.baeldung.socket.read;
+
+import java.net.*;
+import java.nio.charset.StandardCharsets;
+import java.io.*;
+
+public class Client {
+
+ public void runClient(String ip, int port) {
+ try {
+ Socket socket = new Socket(ip, port);
+ System.out.println("Connected to server ...");
+ DataInputStream in = new DataInputStream(System.in);
+ DataOutputStream out = new DataOutputStream(socket.getOutputStream());
+
+ char type = 's'; // s for string
+ int length = 29;
+ String data = "This is a string of length 29";
+ byte[] dataInBytes = data.getBytes(StandardCharsets.UTF_8);
+ //Sending data in TLV format
+ out.writeChar(type);
+ out.writeInt(length);
+ out.write(dataInBytes);
+ } catch (IOException e) {
+ e.printStackTrace();
+ }
+ }
+
+}
\ No newline at end of file
diff --git a/core-java-networking/src/main/java/com/baeldung/socket/read/Server.java b/core-java-networking/src/main/java/com/baeldung/socket/read/Server.java
new file mode 100644
index 0000000000..2ab91c6cdc
--- /dev/null
+++ b/core-java-networking/src/main/java/com/baeldung/socket/read/Server.java
@@ -0,0 +1,49 @@
+package com.baeldung.socket.read;
+
+import java.net.*;
+import java.nio.charset.StandardCharsets;
+import java.io.*;
+
+public class Server {
+
+ public void runServer(int port) {
+ //Start the server and wait for connection
+ try {
+ ServerSocket server = new ServerSocket(port);
+ System.out.println("Server Started. Waiting for connection ...");
+ Socket socket = server.accept();
+ System.out.println("Got connection from client.");
+ //Get input stream from socket variable and convert the same to DataInputStream
+ DataInputStream in = new DataInputStream(new BufferedInputStream(socket.getInputStream()));
+ //Read type and length of data
+ char dataType = in.readChar();
+ int length = in.readInt();
+ System.out.println("Type : "+dataType);
+ System.out.println("Lenght :"+length);
+ if(dataType == 's') {
+ //Read String data in bytes
+ byte[] messageByte = new byte[length];
+ boolean end = false;
+ StringBuilder dataString = new StringBuilder(length);
+ int totalBytesRead = 0;
+ //We need to run while loop, to read all data in that stream
+ while(!end) {
+ int currentBytesRead = in.read(messageByte);
+ totalBytesRead = currentBytesRead + totalBytesRead;
+ if(totalBytesRead <= length) {
+ dataString.append(new String(messageByte,0,currentBytesRead,StandardCharsets.UTF_8));
+ } else {
+ dataString.append(new String(messageByte,0,length - totalBytesRead + currentBytesRead,StandardCharsets.UTF_8));
+ }
+ if(dataString.length()>=length) {
+ end = true;
+ }
+ }
+ System.out.println("Read "+length+" bytes of message from client. Message = "+dataString);
+ }
+ } catch (Exception e) {
+ e.printStackTrace();
+ }
+ }
+
+}
\ No newline at end of file
diff --git a/core-java-networking/src/test/java/com/baeldung/socket/read/SocketReadAllDataLiveTest.java b/core-java-networking/src/test/java/com/baeldung/socket/read/SocketReadAllDataLiveTest.java
new file mode 100644
index 0000000000..da7f5b8d3f
--- /dev/null
+++ b/core-java-networking/src/test/java/com/baeldung/socket/read/SocketReadAllDataLiveTest.java
@@ -0,0 +1,37 @@
+package com.baeldung.socket.read;
+
+import java.util.concurrent.TimeUnit;
+import org.junit.jupiter.api.Test;
+
+public class SocketReadAllDataLiveTest {
+
+ @Test
+ public void givenServerAndClient_whenClientSendsAndServerReceivesData_thenCorrect() {
+ //Run server in new thread
+ Runnable runnable1 = () -> { runServer(); };
+ Thread thread1 = new Thread(runnable1);
+ thread1.start();
+ //Wait for 10 seconds
+ try {
+ TimeUnit.SECONDS.sleep(10);
+ } catch (InterruptedException e) {
+ e.printStackTrace();
+ }
+ //Run client in a new thread
+ Runnable runnable2 = () -> { runClient(); };
+ Thread thread2 = new Thread(runnable2);
+ thread2.start();
+ }
+
+ public static void runServer() {
+ //Run Server
+ Server server = new Server();
+ server.runServer(5555);
+ }
+
+ public static void runClient() {
+ //Run Client
+ Client client = new Client();
+ client.runClient("127.0.0.1", 5555);
+ }
+}
\ No newline at end of file
diff --git a/core-kotlin-2/src/main/kotlin/com/baeldung/scope/ScopeFunctions.kt b/core-kotlin-2/src/main/kotlin/com/baeldung/scope/ScopeFunctions.kt
new file mode 100644
index 0000000000..37ad8c65e2
--- /dev/null
+++ b/core-kotlin-2/src/main/kotlin/com/baeldung/scope/ScopeFunctions.kt
@@ -0,0 +1,25 @@
+package com.baeldung.scope
+
+data class Student(var studentId: String = "", var name: String = "", var surname: String = "") {
+}
+
+data class Teacher(var teacherId: Int = 0, var name: String = "", var surname: String = "") {
+ fun setId(anId: Int): Teacher = apply { teacherId = anId }
+ fun setName(aName: String): Teacher = apply { name = aName }
+ fun setSurname(aSurname: String): Teacher = apply { surname = aSurname }
+}
+
+data class Headers(val headerInfo: String)
+
+data class Response(val headers: Headers)
+
+data class RestClient(val url: String) {
+ fun getResponse() = Response(Headers("some header info"))
+}
+
+data class BankAccount(val id: Int) {
+ fun checkAuthorization(username: String) = Unit
+ fun addPayee(payee: String) = Unit
+ fun makePayment(paymentDetails: String) = Unit
+
+}
\ No newline at end of file
diff --git a/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationTest.kt b/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationTest.kt
index 97fb3434ee..5c2b6ef47f 100644
--- a/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationTest.kt
+++ b/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationTest.kt
@@ -4,7 +4,7 @@ import org.junit.Test
import kotlin.test.assertTrue
import kotlin.test.assertFalse
-class ValidationUnitTest {
+class ValidationTest {
@Test
fun whenAmountIsOneAndNameIsAlice_thenTrue() {
diff --git a/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationUnitTest.kt b/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationUnitTest.kt
deleted file mode 100644
index 506b7a24b5..0000000000
--- a/core-kotlin-2/src/test/kotlin/com/baeldung/annotations/ValidationUnitTest.kt
+++ /dev/null
@@ -1,42 +0,0 @@
-package com.baeldung.annotations
-
-import org.junit.jupiter.api.Assertions.assertTrue
-import org.junit.jupiter.api.Assertions.assertFalse
-import org.junit.jupiter.api.Test
-
-
-class ValidationUnitTest {
-
- @Test
- fun whenAmountIsOneAndNameIsAlice_thenTrue() {
- assertTrue(Validator().isValid(Item(1f, "Alice")))
- }
-
- @Test
- fun whenAmountIsOneAndNameIsBob_thenTrue() {
- assertTrue(Validator().isValid(Item(1f, "Bob")))
- }
-
-
- @Test
- fun whenAmountIsMinusOneAndNameIsAlice_thenFalse() {
- assertFalse(Validator().isValid(Item(-1f, "Alice")))
- }
-
- @Test
- fun whenAmountIsMinusOneAndNameIsBob_thenFalse() {
- assertFalse(Validator().isValid(Item(-1f, "Bob")))
- }
-
- @Test
- fun whenAmountIsOneAndNameIsTom_thenFalse() {
- assertFalse(Validator().isValid(Item(1f, "Tom")))
- }
-
- @Test
- fun whenAmountIsMinusOneAndNameIsTom_thenFalse() {
- assertFalse(Validator().isValid(Item(-1f, "Tom")))
- }
-
-
-}
\ No newline at end of file
diff --git a/core-kotlin-2/src/test/kotlin/com/baeldung/scope/ScopeFunctionsUnitTest.kt b/core-kotlin-2/src/test/kotlin/com/baeldung/scope/ScopeFunctionsUnitTest.kt
new file mode 100644
index 0000000000..cb3ed98006
--- /dev/null
+++ b/core-kotlin-2/src/test/kotlin/com/baeldung/scope/ScopeFunctionsUnitTest.kt
@@ -0,0 +1,143 @@
+package com.baeldung.scope
+
+import org.junit.Test
+import kotlin.test.assertTrue
+
+
+class ScopeFunctionsUnitTest {
+
+ class Logger {
+
+ var called : Boolean = false
+
+ fun info(message: String) {
+ called = true
+ }
+
+ fun wasCalled() = called
+ }
+
+ @Test
+ fun shouldTransformWhenLetFunctionUsed() {
+ val stringBuider = StringBuilder()
+ val numberOfCharacters = stringBuider.let {
+ it.append("This is a transformation function.")
+ it.append("It takes a StringBuilder instance and returns the number of characters in the generated String")
+ it.length
+ }
+
+ assertTrue {
+ numberOfCharacters == 128
+ }
+ }
+
+ @Test
+ fun shouldHandleNullabilityWhenLetFunctionUsed() {
+
+ val message: String? = "hello there!"
+ val charactersInMessage = message?.let {
+ "At this point is safe to reference the variable. Let's print the message: $it"
+ } ?: "default value"
+
+ assertTrue {
+ charactersInMessage.equals("At this point is safe to reference the variable. Let's print the message: hello there!")
+ }
+
+ val aNullMessage = null
+ val thisIsNull = aNullMessage?.let {
+ "At this point it would be safe to reference the variable. But it will not really happen because it is null. Let's reference: $it"
+ } ?: "default value"
+
+ assertTrue {
+ thisIsNull.equals("default value")
+ }
+ }
+
+ @Test
+ fun shouldInitializeObjectWhenUsingApply() {
+ val aStudent = Student().apply {
+ studentId = "1234567"
+ name = "Mary"
+ surname = "Smith"
+ }
+
+ assertTrue {
+ aStudent.name.equals("Mary")
+ }
+ }
+
+ @Test
+ fun shouldAllowBuilderStyleObjectDesignWhenApplyUsedInClassMethods() {
+ val teacher = Teacher()
+ .setId(1000)
+ .setName("Martha")
+ .setSurname("Spector")
+
+ assertTrue {
+ teacher.surname.equals("Spector")
+ }
+ }
+
+ @Test
+ fun shouldAllowSideEffectWhenUsingAlso() {
+ val restClient = RestClient("http://www.someurl.com")
+
+ val logger = Logger()
+
+ val headers = restClient
+ .getResponse()
+ .also { logger.info(it.toString()) }
+ .headers
+
+ assertTrue {
+ logger.wasCalled() && headers.headerInfo.equals("some header info")
+ }
+
+ }
+
+ @Test
+ fun shouldInitializeFieldWhenAlsoUsed() {
+ val aStudent = Student().also { it.name = "John"}
+
+ assertTrue {
+ aStudent.name.equals("John")
+ }
+ }
+
+ @Test
+ fun shouldLogicallyGroupObjectCallsWhenUsingWith() {
+ val bankAccount = BankAccount(1000)
+ with (bankAccount) {
+ checkAuthorization("someone")
+ addPayee("some payee")
+ makePayment("payment information")
+ }
+ }
+
+ @Test
+ fun shouldConvertObjectWhenRunUsed() {
+ val stringBuider = StringBuilder()
+ val numberOfCharacters = stringBuider.run {
+ append("This is a transformation function.")
+ append("It takes a StringBuilder instance and returns the number of characters in the generated String")
+ length
+ }
+
+ assertTrue {
+ numberOfCharacters == 128
+ }
+ }
+
+ @Test
+ fun shouldHandleNullabilityWhenRunIsUsed() {
+ val message: String? = "hello there!"
+ val charactersInMessage = message?.run {
+ "At this point is safe to reference the variable. Let's print the message: $this"
+ } ?: "default value"
+
+ assertTrue {
+ charactersInMessage.equals("At this point is safe to reference the variable. Let's print the message: hello there!")
+ }
+ }
+
+}
\ No newline at end of file
diff --git a/gson/README.md b/gson/README.md
index 02b06eac20..665ccb552b 100644
--- a/gson/README.md
+++ b/gson/README.md
@@ -11,3 +11,5 @@
- [Convert JSON to a Map Using Gson](https://www.baeldung.com/gson-json-to-map)
- [Working with Primitive Values in Gson](https://www.baeldung.com/java-gson-primitives)
- [Convert String to JsonObject with Gson](https://www.baeldung.com/gson-string-to-jsonobject)
+- [Mapping Multiple JSON Fields to One Java Field](https://www.baeldung.com/json-multiple-fields-single-java-field)
+
diff --git a/jackson-2/.gitignore b/jackson-2/.gitignore
new file mode 100644
index 0000000000..83c05e60c8
--- /dev/null
+++ b/jackson-2/.gitignore
@@ -0,0 +1,13 @@
+*.class
+
+#folders#
+/target
+/neoDb*
+/data
+/src/main/webapp/WEB-INF/classes
+*/META-INF/*
+
+# Packaged files #
+*.jar
+*.war
+*.ear
\ No newline at end of file
diff --git a/jackson-2/README.md b/jackson-2/README.md
new file mode 100644
index 0000000000..7c14bcfd19
--- /dev/null
+++ b/jackson-2/README.md
@@ -0,0 +1,9 @@
+=========
+
+## Jackson Cookbooks and Examples
+
+###The Course
+The "REST With Spring" Classes: http://bit.ly/restwithspring
+
+### Relevant Articles:
+- [Mapping Multiple JSON Fields to One Java Field](https://www.baeldung.com/json-multiple-fields-single-java-field)
\ No newline at end of file
diff --git a/jackson-2/pom.xml b/jackson-2/pom.xml
new file mode 100644
index 0000000000..ddbcb81dcc
--- /dev/null
+++ b/jackson-2/pom.xml
@@ -0,0 +1,52 @@
+
+ 4.0.0
+ jackson-2
+ 0.1-SNAPSHOT
+ jackson-2
+
+
+ com.baeldung
+ parent-java
+ 0.0.1-SNAPSHOT
+ ../parent-java
+
+
+
+
+
+
+
+ com.fasterxml.jackson.core
+ jackson-databind
+ ${jackson.version}
+
+
+
+
+
+
+ org.assertj
+ assertj-core
+ ${assertj.version}
+ test
+
+
+
+
+ jackson-2
+
+
+ src/main/resources
+ true
+
+
+
+
+
+
+
+ 3.11.0
+
+
+
diff --git a/jackson/src/main/java/com/baeldung/jackson/entities/Weather.java b/jackson-2/src/main/java/com/baeldung/jackson/entities/Weather.java
similarity index 100%
rename from jackson/src/main/java/com/baeldung/jackson/entities/Weather.java
rename to jackson-2/src/main/java/com/baeldung/jackson/entities/Weather.java
diff --git a/jackson-2/src/main/resources/logback.xml b/jackson-2/src/main/resources/logback.xml
new file mode 100644
index 0000000000..7d900d8ea8
--- /dev/null
+++ b/jackson-2/src/main/resources/logback.xml
@@ -0,0 +1,13 @@
+
+
+
+
+ %d{HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/jackson/src/test/java/com/baeldung/jackson/deserialization/jsonalias/JsonAliasUnitTest.java b/jackson-2/src/test/java/com/baeldung/jackson/deserialization/jsonalias/JsonAliasUnitTest.java
similarity index 100%
rename from jackson/src/test/java/com/baeldung/jackson/deserialization/jsonalias/JsonAliasUnitTest.java
rename to jackson-2/src/test/java/com/baeldung/jackson/deserialization/jsonalias/JsonAliasUnitTest.java
diff --git a/java-dates-2/.gitignore b/java-dates-2/.gitignore
new file mode 100644
index 0000000000..6471aabbcf
--- /dev/null
+++ b/java-dates-2/.gitignore
@@ -0,0 +1,29 @@
+*.class
+
+0.*
+
+#folders#
+/target
+/neoDb*
+/data
+/src/main/webapp/WEB-INF/classes
+*/META-INF/*
+.resourceCache
+
+# Packaged files #
+*.jar
+*.war
+*.ear
+
+# Files generated by integration tests
+*.txt
+backup-pom.xml
+/bin/
+/temp
+
+#IntelliJ specific
+.idea/
+*.iml
+
+#jenv
+.java-version
\ No newline at end of file
diff --git a/java-dates-2/pom.xml b/java-dates-2/pom.xml
new file mode 100644
index 0000000000..c2464ed47f
--- /dev/null
+++ b/java-dates-2/pom.xml
@@ -0,0 +1,55 @@
+
+ 4.0.0
+ com.baeldung
+ java-dates-2
+ 0.1.0-SNAPSHOT
+ jar
+ java-dates-2
+
+
+ com.baeldung
+ parent-java
+ 0.0.1-SNAPSHOT
+ ../parent-java
+
+
+
+
+
+ org.assertj
+ assertj-core
+ ${assertj.version}
+ test
+
+
+
+
+ java-dates-2
+
+
+ src/main/resources
+ true
+
+
+
+
+
+ org.apache.maven.plugins
+ maven-compiler-plugin
+ ${maven-compiler-plugin.version}
+
+
+ ${maven.compiler.target}
+
+
+
+
+
+
+
+ 3.6.1
+ 1.9
+ 1.9
+
+
diff --git a/java-dates-2/src/test/java/com/baeldung/xmlgregoriancalendar/XmlGregorianCalendarConverterUnitTest.java b/java-dates-2/src/test/java/com/baeldung/xmlgregoriancalendar/XmlGregorianCalendarConverterUnitTest.java
new file mode 100644
index 0000000000..b221c04199
--- /dev/null
+++ b/java-dates-2/src/test/java/com/baeldung/xmlgregoriancalendar/XmlGregorianCalendarConverterUnitTest.java
@@ -0,0 +1,36 @@
+package com.baeldung.xmlgregoriancalendar;
+
+import org.junit.Test;
+
+import javax.xml.datatype.DatatypeConfigurationException;
+import javax.xml.datatype.DatatypeConstants;
+import javax.xml.datatype.DatatypeFactory;
+import javax.xml.datatype.XMLGregorianCalendar;
+import java.time.LocalDate;
+
+import static org.assertj.core.api.Assertions.assertThat;
+
+public class XmlGregorianCalendarConverterUnitTest {
+
+ @Test
+ public void fromLocalDateToXMLGregorianCalendar() throws DatatypeConfigurationException {
+ LocalDate localDate = LocalDate.of(2017, 4, 25);
+ XMLGregorianCalendar xmlGregorianCalendar = DatatypeFactory.newInstance().newXMLGregorianCalendar(localDate.toString());
+
+ assertThat(xmlGregorianCalendar.getYear()).isEqualTo(localDate.getYear());
+ assertThat(xmlGregorianCalendar.getMonth()).isEqualTo(localDate.getMonthValue());
+ assertThat(xmlGregorianCalendar.getDay()).isEqualTo(localDate.getDayOfMonth());
+ assertThat(xmlGregorianCalendar.getTimezone()).isEqualTo(DatatypeConstants.FIELD_UNDEFINED);
+ }
+
+ @Test
+ public void fromXMLGregorianCalendarToLocalDate() throws DatatypeConfigurationException {
+ XMLGregorianCalendar xmlGregorianCalendar = DatatypeFactory.newInstance().newXMLGregorianCalendar("2017-04-25");
+ LocalDate localDate = LocalDate.of(xmlGregorianCalendar.getYear(), xmlGregorianCalendar.getMonth(), xmlGregorianCalendar.getDay());
+
+ assertThat(localDate.getYear()).isEqualTo(xmlGregorianCalendar.getYear());
+ assertThat(localDate.getMonthValue()).isEqualTo(xmlGregorianCalendar.getMonth());
+ assertThat(localDate.getDayOfMonth()).isEqualTo(xmlGregorianCalendar.getDay());
+ }
+
+}
diff --git a/kotlin-libraries/pom.xml b/kotlin-libraries/pom.xml
index 507e5820d4..e3f69b4ea9 100644
--- a/kotlin-libraries/pom.xml
+++ b/kotlin-libraries/pom.xml
@@ -19,6 +19,14 @@
exposed
https://dl.bintray.com/kotlin/exposed
+
+
+ false
+
+ kotlinx
+ bintray
+ https://dl.bintray.com/kotlin/kotlinx
+
@@ -112,9 +120,30 @@
3.3.0
pom
+
+
+
+ junit
+ junit
+ ${junit.version}
+ test
+
+
+
+ com.google.guava
+ guava
+ 27.1-jre
+
+
+
+ org.jetbrains.kotlinx
+ kotlinx-collections-immutable
+ 0.1
+
+ 4.12
1.5.0
4.1.0
3.0.4
diff --git a/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/KotlinxImmutablesUnitTest.kt b/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/KotlinxImmutablesUnitTest.kt
new file mode 100644
index 0000000000..971f2de4c2
--- /dev/null
+++ b/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/KotlinxImmutablesUnitTest.kt
@@ -0,0 +1,27 @@
+package com.baeldung.kotlin.immutable
+
+import junit.framework.Assert.assertEquals
+import kotlinx.collections.immutable.ImmutableList
+import kotlinx.collections.immutable.immutableListOf
+import org.junit.Rule
+import org.junit.Test
+import org.junit.rules.ExpectedException
+
+class KotlinxImmutablesUnitTest{
+
+
+ @Rule
+ @JvmField
+ var ee : ExpectedException = ExpectedException.none()
+
+ @Test
+ fun givenKICLList_whenAddTried_checkExceptionThrown(){
+
+ val list: ImmutableList = immutableListOf("I", "am", "immutable")
+
+ list.add("My new item")
+
+ assertEquals(listOf("I", "am", "immutable"), list)
+
+ }
+}
\ No newline at end of file
diff --git a/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/ReadOnlyUnitTest.kt b/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/ReadOnlyUnitTest.kt
new file mode 100644
index 0000000000..62c4a4eb88
--- /dev/null
+++ b/kotlin-libraries/src/test/kotlin/com/baeldung/kotlin/immutable/ReadOnlyUnitTest.kt
@@ -0,0 +1,73 @@
+package com.baeldung.kotlin.immutable
+
+import com.google.common.collect.ImmutableList
+import com.google.common.collect.ImmutableSet
+import junit.framework.Assert.assertEquals
+import org.junit.Rule
+import org.junit.Test
+import org.junit.rules.ExpectedException
+
+class ReadOnlyUnitTest{
+
+ @Test
+ fun givenReadOnlyList_whenCastToMutableList_checkNewElementsAdded(){
+
+ val list: List = listOf("This", "Is", "Totally", "Immutable")
+
+ (list as MutableList)[2] = "Not"
+
+ assertEquals(listOf("This", "Is", "Not", "Immutable"), list)
+
+ }
+
+ @Rule
+ @JvmField
+ var ee : ExpectedException = ExpectedException.none()
+
+ @Test
+ fun givenImmutableList_whenAddTried_checkExceptionThrown(){
+
+ val list: List = ImmutableList.of("I", "am", "actually", "immutable")
+
+ ee.expect(UnsupportedOperationException::class.java)
+
+ (list as MutableList).add("Oops")
+
+ }
+
+ @Test
+ fun givenMutableList_whenCopiedAndAddTried_checkExceptionThrown(){
+
+ val mutableList : List = listOf("I", "Am", "Definitely", "Immutable")
+
+ (mutableList as MutableList)[2] = "100% Not"
+
+ assertEquals(listOf("I", "Am", "100% Not", "Immutable"), mutableList)
+
+ val list: List = ImmutableList.copyOf(mutableList)
+
+ ee.expect(UnsupportedOperationException::class.java)
+
+ (list as MutableList)[2] = "Really?"
+
+ }
+
+ @Test
+ fun givenImmutableSetBuilder_whenAddTried_checkExceptionThrown(){
+
+ val mutableList : List = listOf("Hello", "Baeldung")
+ val set: ImmutableSet = ImmutableSet.builder()
+ .add("I","am","immutable")
+ .addAll(mutableList)
+ .build()
+
+ assertEquals(setOf("Hello", "Baeldung", "I", "am", "immutable"), set)
+
+ ee.expect(UnsupportedOperationException::class.java)
+
+ (set as MutableSet).add("Oops")
+
+ }
+
+
+}
\ No newline at end of file
diff --git a/persistence-modules/hibernate5/pom.xml b/persistence-modules/hibernate5/pom.xml
index a09669c8b5..c7f08e50d5 100644
--- a/persistence-modules/hibernate5/pom.xml
+++ b/persistence-modules/hibernate5/pom.xml
@@ -83,13 +83,18 @@
jmh-generator-annprocess
${openjdk-jmh.version}
+
+ javax.xml.bind
+ jaxb-api
+ 2.3.0
+
hibernate5
- src/main/resources
+ src/test/resources
true
diff --git a/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/HibernateUtil.java b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/HibernateUtil.java
index ea0af97d5a..48c9b9d5c2 100644
--- a/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/HibernateUtil.java
+++ b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/HibernateUtil.java
@@ -113,6 +113,7 @@ public class HibernateUtil {
metadataSources.addAnnotatedClass(OptimisticLockingCourse.class);
metadataSources.addAnnotatedClass(OptimisticLockingStudent.class);
metadataSources.addAnnotatedClass(OfficeEmployee.class);
+ metadataSources.addAnnotatedClass(Post.class);
Metadata metadata = metadataSources.getMetadataBuilder()
.applyBasicType(LocalDateStringType.INSTANCE)
diff --git a/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/pojo/Post.java b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/pojo/Post.java
new file mode 100644
index 0000000000..25e51e35d0
--- /dev/null
+++ b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/pojo/Post.java
@@ -0,0 +1,59 @@
+package com.baeldung.hibernate.pojo;
+
+import javax.persistence.Entity;
+import javax.persistence.GeneratedValue;
+import javax.persistence.Id;
+import javax.persistence.Table;
+
+@Entity
+@Table(name = "posts")
+public class Post {
+
+ @Id
+ @GeneratedValue
+ private int id;
+
+ private String title;
+
+ private String body;
+
+ public Post() { }
+
+ public Post(String title, String body) {
+ this.title = title;
+ this.body = body;
+ }
+
+ public int getId() {
+ return id;
+ }
+
+ public void setId(int id) {
+ this.id = id;
+ }
+
+ public String getTitle() {
+ return title;
+ }
+
+ public void setTitle(String title) {
+ this.title = title;
+ }
+
+ public String getBody() {
+ return body;
+ }
+
+ public void setBody(String body) {
+ this.body = body;
+ }
+
+ @Override
+ public String toString() {
+ return "Post{" +
+ "id=" + id +
+ ", title='" + title + '\'' +
+ ", body='" + body + '\'' +
+ '}';
+ }
+}
diff --git a/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/transaction/PostService.java b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/transaction/PostService.java
new file mode 100644
index 0000000000..5a4eb20079
--- /dev/null
+++ b/persistence-modules/hibernate5/src/main/java/com/baeldung/hibernate/transaction/PostService.java
@@ -0,0 +1,29 @@
+package com.baeldung.hibernate.transaction;
+
+import org.hibernate.Session;
+import org.hibernate.Transaction;
+import org.hibernate.query.Query;
+
+public class PostService {
+
+
+ private Session session;
+
+ public PostService(Session session) {
+ this.session = session;
+ }
+
+
+ public void updatePost(String title, String body, int id) {
+ Transaction txn = session.beginTransaction();
+ Query updateQuery = session.createQuery("UPDATE Post p SET p.title = ?1, p.body = ?2 WHERE p.id = ?3");
+ updateQuery.setParameter(1, title);
+ updateQuery.setParameter(2, body);
+ updateQuery.setParameter(3, id);
+ updateQuery.executeUpdate();
+ txn.commit();
+ }
+
+
+
+}
diff --git a/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/CustomClassIntegrationTest.java b/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/CustomClassIntegrationTest.java
index 29ae55b773..e64e836924 100644
--- a/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/CustomClassIntegrationTest.java
+++ b/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/CustomClassIntegrationTest.java
@@ -74,4 +74,6 @@ public class CustomClassIntegrationTest {
assertEquals("John Smith", result.getEmployeeName());
assertEquals("Sales", result.getDepartmentName());
}
+
+
}
diff --git a/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/transaction/TransactionIntegrationTest.java b/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/transaction/TransactionIntegrationTest.java
new file mode 100644
index 0000000000..246a7d59f9
--- /dev/null
+++ b/persistence-modules/hibernate5/src/test/java/com/baeldung/hibernate/transaction/TransactionIntegrationTest.java
@@ -0,0 +1,57 @@
+package com.baeldung.hibernate.transaction;
+
+import com.baeldung.hibernate.HibernateUtil;
+import com.baeldung.hibernate.pojo.Post;
+import com.baeldung.hibernate.transaction.PostService;
+import org.hibernate.Session;
+import org.hibernate.SessionFactory;
+import org.junit.BeforeClass;
+import org.junit.Test;
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+import java.io.FileInputStream;
+import java.io.IOException;
+import java.util.Properties;
+
+import static org.junit.Assert.assertEquals;
+
+public class TransactionIntegrationTest {
+
+ private static PostService postService;
+ private static Session session;
+ private static Logger logger = LoggerFactory.getLogger(TransactionIntegrationTest.class);
+
+ @BeforeClass
+ public static void init() throws IOException {
+ Properties properties = new Properties();
+ properties.setProperty("hibernate.connection.driver_class", "org.h2.Driver");
+ properties.setProperty("hibernate.connection.url", "jdbc:h2:mem:mydb1;DB_CLOSE_DELAY=-1");
+ properties.setProperty("hibernate.connection.username", "sa");
+ properties.setProperty("hibernate.show_sql", "true");
+ properties.setProperty("jdbc.password", "");
+ properties.setProperty("hibernate.dialect", "org.hibernate.dialect.H2Dialect");
+ properties.setProperty("hibernate.hbm2ddl.auto", "create-drop");
+ SessionFactory sessionFactory = HibernateUtil.getSessionFactoryByProperties(properties);
+ session = sessionFactory.openSession();
+ postService = new PostService(session);
+ }
+
+ @Test
+ public void givenTitleAndBody_whenRepositoryUpdatePost_thenUpdatePost() {
+
+ Post post = new Post("This is a title", "This is a sample post");
+ session.persist(post);
+
+ String title = "[UPDATE] Java HowTos";
+ String body = "This is an updated posts on Java how-tos";
+ postService.updatePost(title, body, post.getId());
+
+ session.refresh(post);
+
+ assertEquals(post.getTitle(), title);
+ assertEquals(post.getBody(), body);
+ }
+
+
+}
diff --git a/persistence-modules/spring-data-jpa-2/README.md b/persistence-modules/spring-data-jpa-2/README.md
new file mode 100644
index 0000000000..295a434d17
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/README.md
@@ -0,0 +1,5 @@
+=========
+
+## Spring Data JPA Example Project
+
+### Relevant Articles:
diff --git a/persistence-modules/spring-data-jpa-2/pom.xml b/persistence-modules/spring-data-jpa-2/pom.xml
new file mode 100644
index 0000000000..8e46112659
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/pom.xml
@@ -0,0 +1,30 @@
+
+
+ 4.0.0
+ com.baeldung
+ spring-data-jpa-2
+ spring-data-jpa
+
+
+ parent-boot-2
+ com.baeldung
+ 0.0.1-SNAPSHOT
+ ../../parent-boot-2
+
+
+
+
+ org.springframework.boot
+ spring-boot-starter-data-jpa
+
+
+
+ com.h2database
+ h2
+
+
+
+
+
\ No newline at end of file
diff --git a/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/Application.java b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/Application.java
new file mode 100644
index 0000000000..3ea3d113da
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/Application.java
@@ -0,0 +1,13 @@
+package com.baeldung;
+
+import org.springframework.boot.SpringApplication;
+import org.springframework.boot.autoconfigure.SpringBootApplication;
+
+@SpringBootApplication
+public class Application {
+
+ public static void main(String[] args) {
+ SpringApplication.run(Application.class, args);
+ }
+
+}
diff --git a/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/entity/Fruit.java b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/entity/Fruit.java
new file mode 100644
index 0000000000..f82022e67e
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/entity/Fruit.java
@@ -0,0 +1,38 @@
+package com.baeldung.entity;
+
+import javax.persistence.Entity;
+import javax.persistence.Id;
+
+@Entity
+public class Fruit {
+
+ @Id
+ private long id;
+ private String name;
+ private String color;
+
+ public long getId() {
+ return id;
+ }
+
+ public void setId(long id) {
+ this.id = id;
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public void setName(String name) {
+ this.name = name;
+ }
+
+ public String getColor() {
+ return color;
+ }
+
+ public void setColor(String color) {
+ this.color = color;
+ }
+
+}
diff --git a/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/repository/FruitRepository.java b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/repository/FruitRepository.java
new file mode 100644
index 0000000000..9f92909b66
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/main/java/com/baeldung/repository/FruitRepository.java
@@ -0,0 +1,27 @@
+package com.baeldung.repository;
+
+import java.util.List;
+
+import org.springframework.data.jpa.repository.JpaRepository;
+import org.springframework.data.jpa.repository.Modifying;
+import org.springframework.data.jpa.repository.Query;
+import org.springframework.data.repository.query.Param;
+import org.springframework.stereotype.Repository;
+
+import com.baeldung.entity.Fruit;
+
+@Repository
+public interface FruitRepository extends JpaRepository {
+
+ Long deleteByName(String name);
+
+ List deleteByColor(String color);
+
+ Long removeByName(String name);
+
+ List removeByColor(String color);
+
+ @Modifying
+ @Query("delete from Fruit f where f.name=:name or f.color=:color")
+ List deleteFruits(@Param("name") String name, @Param("color") String color);
+}
diff --git a/persistence-modules/spring-data-jpa-2/src/main/resources/application.properties b/persistence-modules/spring-data-jpa-2/src/main/resources/application.properties
new file mode 100644
index 0000000000..72fc330767
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/main/resources/application.properties
@@ -0,0 +1 @@
+spring.jpa.show-sql=true
\ No newline at end of file
diff --git a/persistence-modules/spring-data-jpa-2/src/test/java/com/baeldung/repository/FruitRepositoryIntegrationTest.java b/persistence-modules/spring-data-jpa-2/src/test/java/com/baeldung/repository/FruitRepositoryIntegrationTest.java
new file mode 100644
index 0000000000..74188497ee
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/test/java/com/baeldung/repository/FruitRepositoryIntegrationTest.java
@@ -0,0 +1,77 @@
+package com.baeldung.repository;
+
+import static org.junit.Assert.assertEquals;
+import static org.junit.Assert.assertTrue;
+
+import java.util.List;
+
+import org.junit.jupiter.api.Test;
+import org.junit.runner.RunWith;
+import org.springframework.beans.factory.annotation.Autowired;
+import org.springframework.boot.test.context.SpringBootTest;
+import org.springframework.test.context.jdbc.Sql;
+import org.springframework.test.context.junit4.SpringRunner;
+import org.springframework.transaction.annotation.Transactional;
+
+import com.baeldung.entity.Fruit;
+
+@RunWith(SpringRunner.class)
+@SpringBootTest
+class FruitRepositoryIntegrationTest {
+
+ @Autowired
+ private FruitRepository fruitRepository;
+
+ @Transactional
+ @Test
+ @Sql(scripts = { "/test-fruit-data.sql" })
+ public void givenFruits_WhenDeletedByColor_DeletedFruitShouldReturn() {
+
+ List fruits = fruitRepository.deleteByColor("green");
+
+ assertEquals("number of fruits are not matching", 2, fruits.size());
+ fruits.forEach(fruit -> assertEquals("Its not a green fruit", "green", fruit.getColor()));
+ }
+
+ @Transactional
+ @Test
+ @Sql(scripts = { "/test-fruit-data.sql" })
+ public void givenFruits_WhenDeletedByName_DeletedFruitCountShouldReturn() {
+
+ Long deletedFruitCount = fruitRepository.deleteByName("apple");
+
+ assertEquals("deleted fruit count is not matching", 1, deletedFruitCount.intValue());
+ }
+
+ @Transactional
+ @Test
+ @Sql(scripts = { "/test-fruit-data.sql" })
+ public void givenFruits_WhenRemovedByColor_DeletedFruitShouldReturn() {
+
+ List fruits = fruitRepository.removeByColor("green");
+
+ assertEquals("number of fruits are not matching", 2, fruits.size());
+ fruits.forEach(fruit -> assertEquals("Its not a green fruit", "green", fruit.getColor()));
+ }
+
+ @Transactional
+ @Test
+ @Sql(scripts = { "/test-fruit-data.sql" })
+ public void givenFruits_WhenRemovedByName_DeletedFruitCountShouldReturn() {
+
+ Long deletedFruitCount = fruitRepository.removeByName("apple");
+
+ assertEquals("deleted fruit count is not matching", 1, deletedFruitCount.intValue());
+ }
+
+ @Transactional
+ @Test
+ @Sql(scripts = { "/test-fruit-data.sql" })
+ public void givenFruits_WhenDeletedByColorOrName_DeletedFruitShouldReturn() {
+
+ List fruits = fruitRepository.deleteFruits("apple", "green");
+
+ assertEquals("number of fruits are not matching", 3, fruits.size());
+ fruits.forEach(fruit -> assertTrue("Its not a green fruit or apple", ("green".equals(fruit.getColor())) || "apple".equals(fruit.getColor())));
+ }
+}
\ No newline at end of file
diff --git a/persistence-modules/spring-data-jpa-2/src/test/resources/test-fruit-data.sql b/persistence-modules/spring-data-jpa-2/src/test/resources/test-fruit-data.sql
new file mode 100644
index 0000000000..ce2189121f
--- /dev/null
+++ b/persistence-modules/spring-data-jpa-2/src/test/resources/test-fruit-data.sql
@@ -0,0 +1,4 @@
+insert into fruit(id,name,color) values (1,'apple','red');
+insert into fruit(id,name,color) values (2,'custard apple','green');
+insert into fruit(id,name,color) values (3,'mango','yellow');
+insert into fruit(id,name,color) values (4,'guava','green');
\ No newline at end of file
diff --git a/pom.xml b/pom.xml
index 5858df01e1..7af92fbd11 100644
--- a/pom.xml
+++ b/pom.xml
@@ -377,6 +377,7 @@
core-groovy
+
core-java-8
@@ -436,9 +437,11 @@
immutables
jackson
+ jackson-2
java-collections-conversions
java-collections-maps
+
java-lite
java-numbers
@@ -579,6 +582,7 @@
spring-5-reactive-client
spring-5-reactive-oauth
spring-5-reactive-security
+ spring-5-reactive-netty
spring-5-security
spring-5-security-oauth
@@ -1078,6 +1082,7 @@
immutables
jackson
+ jackson-2
java-collections-conversions
java-collections-maps
diff --git a/spring-5-reactive-netty/.gitignore b/spring-5-reactive-netty/.gitignore
new file mode 100644
index 0000000000..70ed41e73a
--- /dev/null
+++ b/spring-5-reactive-netty/.gitignore
@@ -0,0 +1,11 @@
+# Folders #
+**/.idea
+**/target
+
+# Files #
+*.log
+
+# Packaged files #
+*.jar
+*.war
+*.ear
\ No newline at end of file
diff --git a/spring-5-reactive-netty/README.md b/spring-5-reactive-netty/README.md
new file mode 100644
index 0000000000..09f7cc0e24
--- /dev/null
+++ b/spring-5-reactive-netty/README.md
@@ -0,0 +1,3 @@
+## Spring 5 Reactive Project With Netty Server
+
+Includes configuration options for Netty server.
diff --git a/spring-5-reactive-netty/pom.xml b/spring-5-reactive-netty/pom.xml
new file mode 100644
index 0000000000..48fc0b201f
--- /dev/null
+++ b/spring-5-reactive-netty/pom.xml
@@ -0,0 +1,51 @@
+
+
+ 4.0.0
+ com.baeldung
+ spring-5-reactive-netty
+ 0.0.1-SNAPSHOT
+ spring-5-reactive-netty
+ jar
+ Spring 5 sample project about reactive web with Netty server
+
+
+ com.baeldung
+ parent-boot-2
+ 0.0.1-SNAPSHOT
+ ../parent-boot-2
+
+
+
+
+ org.springframework.boot
+ spring-boot-starter-webflux
+
+
+
+ org.projectlombok
+ lombok
+
+
+
+ org.springframework.boot
+ spring-boot-devtools
+ runtime
+
+
+
+ org.springframework.boot
+ spring-boot-starter-test
+ test
+
+
+
+
+
+
+ org.springframework.boot
+ spring-boot-maven-plugin
+
+
+
+
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/CustomNettyWebServerFactory.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/CustomNettyWebServerFactory.java
new file mode 100644
index 0000000000..8a1cdbba97
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/CustomNettyWebServerFactory.java
@@ -0,0 +1,36 @@
+package com.baeldung.serverconfig;
+
+import io.netty.channel.EventLoopGroup;
+import io.netty.channel.nio.NioEventLoopGroup;
+import io.netty.channel.socket.nio.NioServerSocketChannel;
+import org.springframework.boot.web.embedded.netty.NettyReactiveWebServerFactory;
+import org.springframework.boot.web.embedded.netty.NettyServerCustomizer;
+import org.springframework.context.annotation.Bean;
+import org.springframework.context.annotation.Configuration;
+import org.springframework.context.annotation.Profile;
+import reactor.netty.http.server.HttpServer;
+
+@Configuration
+@Profile("skipAutoConfig")
+public class CustomNettyWebServerFactory {
+
+ @Bean
+ public NettyReactiveWebServerFactory nettyReactiveWebServerFactory() {
+ NettyReactiveWebServerFactory webServerFactory = new NettyReactiveWebServerFactory();
+ webServerFactory.addServerCustomizers(new EventLoopNettyCustomizer());
+ return webServerFactory;
+ }
+
+ private static class EventLoopNettyCustomizer implements NettyServerCustomizer {
+
+ @Override
+ public HttpServer apply(HttpServer httpServer) {
+ EventLoopGroup parentGroup = new NioEventLoopGroup();
+ EventLoopGroup childGroup = new NioEventLoopGroup();
+ return httpServer
+ .tcpConfiguration(tcpServer -> tcpServer.bootstrap(
+ serverBootstrap -> serverBootstrap.group(parentGroup, childGroup).channel(NioServerSocketChannel.class)
+ ));
+ }
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingController.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingController.java
new file mode 100644
index 0000000000..9cb5b27ac5
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingController.java
@@ -0,0 +1,23 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.web.bind.annotation.GetMapping;
+import org.springframework.web.bind.annotation.PathVariable;
+import org.springframework.web.bind.annotation.RequestMapping;
+import org.springframework.web.bind.annotation.RestController;
+import reactor.core.publisher.Mono;
+
+@RestController
+@RequestMapping("/greet")
+public class GreetingController {
+
+ private final GreetingService greetingService;
+
+ public GreetingController(GreetingService greetingService) {
+ this.greetingService = greetingService;
+ }
+
+ @GetMapping("/{name}")
+ private Mono greet(@PathVariable String name) {
+ return greetingService.greet(name);
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingService.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingService.java
new file mode 100644
index 0000000000..5440f526aa
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/GreetingService.java
@@ -0,0 +1,12 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.stereotype.Service;
+import reactor.core.publisher.Mono;
+
+@Service
+public class GreetingService {
+
+ public Mono greet(String name) {
+ return Mono.just("Greeting " + name);
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactoryPortCustomizer.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactoryPortCustomizer.java
new file mode 100644
index 0000000000..152e1285aa
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactoryPortCustomizer.java
@@ -0,0 +1,30 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.boot.web.embedded.netty.NettyReactiveWebServerFactory;
+import org.springframework.boot.web.embedded.netty.NettyServerCustomizer;
+import org.springframework.boot.web.server.WebServerFactoryCustomizer;
+import org.springframework.stereotype.Component;
+import reactor.netty.http.server.HttpServer;
+
+@Component
+public class NettyWebServerFactoryPortCustomizer implements WebServerFactoryCustomizer {
+
+ @Override
+ public void customize(NettyReactiveWebServerFactory serverFactory) {
+ serverFactory.addServerCustomizers(new PortCustomizer(8443));
+ }
+
+ private static class PortCustomizer implements NettyServerCustomizer {
+
+ private final int port;
+
+ private PortCustomizer(int port) {
+ this.port = port;
+ }
+
+ @Override
+ public HttpServer apply(HttpServer httpServer) {
+ return httpServer.port(port);
+ }
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactorySslCustomizer.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactorySslCustomizer.java
new file mode 100644
index 0000000000..d0ad0dcac5
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/NettyWebServerFactorySslCustomizer.java
@@ -0,0 +1,26 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.boot.web.embedded.netty.NettyReactiveWebServerFactory;
+import org.springframework.boot.web.embedded.netty.SslServerCustomizer;
+import org.springframework.boot.web.server.Http2;
+import org.springframework.boot.web.server.Ssl;
+import org.springframework.boot.web.server.WebServerFactoryCustomizer;
+import org.springframework.stereotype.Component;
+
+@Component
+public class NettyWebServerFactorySslCustomizer implements WebServerFactoryCustomizer {
+
+ @Override
+ public void customize(NettyReactiveWebServerFactory serverFactory) {
+ Ssl ssl = new Ssl();
+ ssl.setEnabled(true);
+ ssl.setKeyStore("classpath:sample.jks");
+ ssl.setKeyAlias("alias");
+ ssl.setKeyPassword("password");
+ ssl.setKeyStorePassword("secret");
+ Http2 http2 = new Http2();
+ http2.setEnabled(false);
+ serverFactory.addServerCustomizers(new SslServerCustomizer(ssl, http2, null));
+ serverFactory.setPort(8443);
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/ServerConfigApplication.java b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/ServerConfigApplication.java
new file mode 100644
index 0000000000..9d420cc7da
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/java/com/baeldung/serverconfig/ServerConfigApplication.java
@@ -0,0 +1,12 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.boot.SpringApplication;
+import org.springframework.boot.autoconfigure.SpringBootApplication;
+
+@SpringBootApplication
+public class ServerConfigApplication {
+
+ public static void main(String[] args) {
+ SpringApplication.run(ServerConfigApplication.class, args);
+ }
+}
diff --git a/spring-5-reactive-netty/src/main/resources/logback.xml b/spring-5-reactive-netty/src/main/resources/logback.xml
new file mode 100644
index 0000000000..48b68c6bf1
--- /dev/null
+++ b/spring-5-reactive-netty/src/main/resources/logback.xml
@@ -0,0 +1,31 @@
+
+
+
+
+
+ %black(%d{ISO8601}) %highlight(%-5level) [%blue(%t)] %yellow(%C{1.}): %msg%n%throwable
+
+
+
+
+
+ netty-access.log
+
+ %msg%n
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/spring-5-reactive-netty/src/main/resources/sample.jks b/spring-5-reactive-netty/src/main/resources/sample.jks
new file mode 100644
index 0000000000..6aa9a28053
Binary files /dev/null and b/spring-5-reactive-netty/src/main/resources/sample.jks differ
diff --git a/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingControllerIntegrationTest.java b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingControllerIntegrationTest.java
new file mode 100644
index 0000000000..3c2c08321a
--- /dev/null
+++ b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingControllerIntegrationTest.java
@@ -0,0 +1,41 @@
+package com.baeldung.serverconfig;
+
+import static org.mockito.Mockito.when;
+
+import org.junit.Before;
+import org.junit.Test;
+import org.junit.runner.RunWith;
+import org.springframework.beans.factory.annotation.Autowired;
+import org.springframework.boot.test.autoconfigure.web.reactive.WebFluxTest;
+import org.springframework.boot.test.mock.mockito.MockBean;
+import org.springframework.test.context.junit4.SpringRunner;
+import org.springframework.test.web.reactive.server.WebTestClient;
+import reactor.core.publisher.Mono;
+
+@RunWith(SpringRunner.class)
+@WebFluxTest
+public class GreetingControllerIntegrationTest {
+
+ @Autowired
+ private WebTestClient webClient;
+
+ @MockBean
+ private GreetingService greetingService;
+
+ private final String name = "Baeldung";
+
+ @Before
+ public void setUp() {
+ when(greetingService.greet(name)).thenReturn(Mono.just("Greeting Baeldung"));
+ }
+
+ @Test
+ public void shouldGreet() {
+ webClient.get().uri("/greet/{name}", name)
+ .exchange()
+ .expectStatus()
+ .isOk()
+ .expectBody(String.class)
+ .isEqualTo("Greeting Baeldung");
+ }
+}
diff --git a/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingLiveTest.java b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingLiveTest.java
new file mode 100644
index 0000000000..7c4a37c890
--- /dev/null
+++ b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingLiveTest.java
@@ -0,0 +1,56 @@
+package com.baeldung.serverconfig;
+
+import io.netty.handler.ssl.SslContext;
+import io.netty.handler.ssl.SslContextBuilder;
+import io.netty.handler.ssl.util.InsecureTrustManagerFactory;
+import javax.net.ssl.SSLException;
+import org.junit.Before;
+import org.junit.Test;
+import org.junit.runner.RunWith;
+import org.springframework.boot.test.context.SpringBootTest;
+import org.springframework.boot.test.context.SpringBootTest.WebEnvironment;
+import org.springframework.http.client.reactive.ReactorClientHttpConnector;
+import org.springframework.test.context.ActiveProfiles;
+import org.springframework.test.context.junit4.SpringRunner;
+import org.springframework.test.web.reactive.server.WebTestClient;
+import org.springframework.test.web.reactive.server.WebTestClient.ResponseSpec;
+import reactor.netty.http.client.HttpClient;
+
+@RunWith(SpringRunner.class)
+@SpringBootTest(webEnvironment = WebEnvironment.DEFINED_PORT)
+public class GreetingLiveTest {
+
+ private static final String BASE_URL = "https://localhost:8443";
+
+ private WebTestClient webTestClient;
+
+ @Before
+ public void setup() throws SSLException {
+ webTestClient = WebTestClient.bindToServer(getConnector())
+ .baseUrl(BASE_URL)
+ .build();
+ }
+
+ @Test
+ public void shouldGreet() {
+ final String name = "Baeldung";
+
+ ResponseSpec response = webTestClient.get()
+ .uri("/greet/{name}", name)
+ .exchange();
+
+ response.expectStatus()
+ .isOk()
+ .expectBody(String.class)
+ .isEqualTo("Greeting Baeldung");
+ }
+
+ private ReactorClientHttpConnector getConnector() throws SSLException {
+ SslContext sslContext = SslContextBuilder
+ .forClient()
+ .trustManager(InsecureTrustManagerFactory.INSTANCE)
+ .build();
+ HttpClient httpClient = HttpClient.create().secure(t -> t.sslContext(sslContext));
+ return new ReactorClientHttpConnector(httpClient);
+ }
+}
diff --git a/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingSkipAutoConfigLiveTest.java b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingSkipAutoConfigLiveTest.java
new file mode 100644
index 0000000000..646742b3d7
--- /dev/null
+++ b/spring-5-reactive-netty/src/test/java/com/baeldung/serverconfig/GreetingSkipAutoConfigLiveTest.java
@@ -0,0 +1,8 @@
+package com.baeldung.serverconfig;
+
+import org.springframework.test.context.ActiveProfiles;
+
+@ActiveProfiles("skipAutoConfig")
+public class GreetingSkipAutoConfigLiveTest extends GreetingLiveTest {
+
+}
diff --git a/spring-5-reactive-netty/src/test/resources/logback-test.xml b/spring-5-reactive-netty/src/test/resources/logback-test.xml
new file mode 100644
index 0000000000..12cedf5952
--- /dev/null
+++ b/spring-5-reactive-netty/src/test/resources/logback-test.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ %black(%d{ISO8601}) %highlight(%-5level) [%blue(%t)] %yellow(%C{1.}): %msg%n%throwable
+
+
+
+
+
+
+
diff --git a/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/Student.java b/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/Student.java
new file mode 100644
index 0000000000..3b6a5c0298
--- /dev/null
+++ b/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/Student.java
@@ -0,0 +1,53 @@
+package com.baeldung.web.controller.students;
+
+public class Student {
+
+ private long id;
+ private String firstName;
+ private String lastName;
+
+ public Student() {}
+
+ public Student(String firstName, String lastName) {
+ super();
+ this.firstName = firstName;
+ this.lastName = lastName;
+ }
+
+ public Student(long id, String firstName, String lastName) {
+ super();
+ this.id = id;
+ this.firstName = firstName;
+ this.lastName = lastName;
+ }
+
+ public long getId() {
+ return id;
+ }
+
+ public void setId(long id) {
+ this.id = id;
+ }
+
+ public String getFirstName() {
+ return firstName;
+ }
+
+ public void setFirstName(String firstName) {
+ this.firstName = firstName;
+ }
+
+ public String getLastName() {
+ return lastName;
+ }
+
+ public void setLastName(String lastName) {
+ this.lastName = lastName;
+ }
+
+ @Override
+ public String toString() {
+ return "Student [id=" + id + ", firstName=" + firstName + ", lastName=" + lastName + "]";
+ }
+
+}
diff --git a/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/StudentController.java b/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/StudentController.java
new file mode 100644
index 0000000000..f937e0c757
--- /dev/null
+++ b/spring-boot-rest/src/main/java/com/baeldung/web/controller/students/StudentController.java
@@ -0,0 +1,73 @@
+package com.baeldung.web.controller.students;
+
+import java.net.URI;
+import java.net.URISyntaxException;
+import java.util.List;
+
+import org.springframework.beans.factory.annotation.Autowired;
+import org.springframework.http.ResponseEntity;
+import org.springframework.web.bind.annotation.DeleteMapping;
+import org.springframework.web.bind.annotation.GetMapping;
+import org.springframework.web.bind.annotation.PathVariable;
+import org.springframework.web.bind.annotation.PostMapping;
+import org.springframework.web.bind.annotation.PutMapping;
+import org.springframework.web.bind.annotation.RequestBody;
+import org.springframework.web.bind.annotation.RequestMapping;
+import org.springframework.web.bind.annotation.RestController;
+import org.springframework.web.servlet.support.ServletUriComponentsBuilder;
+import com.baeldung.web.controller.students.StudentService;
+
+@RestController
+@RequestMapping("/students")
+public class StudentController {
+
+ @Autowired
+ private StudentService service;
+
+ @GetMapping("/")
+ public List read() {
+ return service.readAll();
+ }
+
+ @GetMapping("/{id}")
+ public ResponseEntity read(@PathVariable("id") Long id) {
+ Student foundStudent = service.read(id);
+ if (foundStudent == null) {
+ return ResponseEntity.notFound().build();
+ } else {
+ return ResponseEntity.ok(foundStudent);
+ }
+ }
+
+ @PostMapping("/")
+ public ResponseEntity create(@RequestBody Student student) throws URISyntaxException {
+ Student createdStudent = service.create(student);
+
+ URI uri = ServletUriComponentsBuilder.fromCurrentRequest()
+ .path("/{id}")
+ .buildAndExpand(createdStudent.getId())
+ .toUri();
+
+ return ResponseEntity.created(uri)
+ .body(createdStudent);
+
+ }
+
+ @PutMapping("/{id}")
+ public ResponseEntity update(@RequestBody Student student, @PathVariable Long id) {
+ Student updatedStudent = service.update(id, student);
+ if (updatedStudent == null) {
+ return ResponseEntity.notFound().build();
+ } else {
+ return ResponseEntity.ok(updatedStudent);
+ }
+ }
+
+ @DeleteMapping("/{id}")
+ public ResponseEntity