Merge pull request #2 from eugenp/master
Merge changes from master to the fork "codehunter34/tutorials"
This commit is contained in:
commit
f1e59e754e
|
@ -0,0 +1,51 @@
|
||||||
|
package com.baeldung.algorithms.graphcycledetection.domain;
|
||||||
|
|
||||||
|
import java.util.ArrayList;
|
||||||
|
import java.util.List;
|
||||||
|
|
||||||
|
public class Graph {
|
||||||
|
|
||||||
|
private List<Vertex> vertices;
|
||||||
|
|
||||||
|
public Graph() {
|
||||||
|
this.vertices = new ArrayList<>();
|
||||||
|
}
|
||||||
|
|
||||||
|
public Graph(List<Vertex> vertices) {
|
||||||
|
this.vertices = vertices;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void addVertex(Vertex vertex) {
|
||||||
|
this.vertices.add(vertex);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void addEdge(Vertex from, Vertex to) {
|
||||||
|
from.addNeighbour(to);
|
||||||
|
}
|
||||||
|
|
||||||
|
public boolean hasCycle() {
|
||||||
|
for (Vertex vertex : vertices) {
|
||||||
|
if (!vertex.isVisited() && hasCycle(vertex)) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
public boolean hasCycle(Vertex sourceVertex) {
|
||||||
|
sourceVertex.setBeingVisited(true);
|
||||||
|
|
||||||
|
for (Vertex neighbour : sourceVertex.getAdjacencyList()) {
|
||||||
|
if (neighbour.isBeingVisited()) {
|
||||||
|
// backward edge exists
|
||||||
|
return true;
|
||||||
|
} else if (!neighbour.isVisited() && hasCycle(neighbour)) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
sourceVertex.setBeingVisited(false);
|
||||||
|
sourceVertex.setVisited(true);
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,56 @@
|
||||||
|
package com.baeldung.algorithms.graphcycledetection.domain;
|
||||||
|
|
||||||
|
import java.util.ArrayList;
|
||||||
|
import java.util.List;
|
||||||
|
|
||||||
|
public class Vertex {
|
||||||
|
|
||||||
|
private String label;
|
||||||
|
|
||||||
|
private boolean visited;
|
||||||
|
|
||||||
|
private boolean beingVisited;
|
||||||
|
|
||||||
|
private List<Vertex> adjacencyList;
|
||||||
|
|
||||||
|
public Vertex(String label) {
|
||||||
|
this.label = label;
|
||||||
|
this.adjacencyList = new ArrayList<>();
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getLabel() {
|
||||||
|
return label;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setLabel(String label) {
|
||||||
|
this.label = label;
|
||||||
|
}
|
||||||
|
|
||||||
|
public boolean isVisited() {
|
||||||
|
return visited;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setVisited(boolean visited) {
|
||||||
|
this.visited = visited;
|
||||||
|
}
|
||||||
|
|
||||||
|
public boolean isBeingVisited() {
|
||||||
|
return beingVisited;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setBeingVisited(boolean beingVisited) {
|
||||||
|
this.beingVisited = beingVisited;
|
||||||
|
}
|
||||||
|
|
||||||
|
public List<Vertex> getAdjacencyList() {
|
||||||
|
return adjacencyList;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setAdjacencyList(List<Vertex> adjacencyList) {
|
||||||
|
this.adjacencyList = adjacencyList;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void addNeighbour(Vertex adjacent) {
|
||||||
|
this.adjacencyList.add(adjacent);
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,56 @@
|
||||||
|
package com.baeldung.algorithms.graphcycledetection;
|
||||||
|
|
||||||
|
import static org.junit.Assert.assertFalse;
|
||||||
|
import static org.junit.Assert.assertTrue;
|
||||||
|
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
import com.baeldung.algorithms.graphcycledetection.domain.Graph;
|
||||||
|
import com.baeldung.algorithms.graphcycledetection.domain.Vertex;
|
||||||
|
|
||||||
|
public class GraphCycleDetectionUnitTest {
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenGraph_whenCycleExists_thenReturnTrue() {
|
||||||
|
|
||||||
|
Vertex vertexA = new Vertex("A");
|
||||||
|
Vertex vertexB = new Vertex("B");
|
||||||
|
Vertex vertexC = new Vertex("C");
|
||||||
|
Vertex vertexD = new Vertex("D");
|
||||||
|
|
||||||
|
Graph graph = new Graph();
|
||||||
|
graph.addVertex(vertexA);
|
||||||
|
graph.addVertex(vertexB);
|
||||||
|
graph.addVertex(vertexC);
|
||||||
|
graph.addVertex(vertexD);
|
||||||
|
|
||||||
|
graph.addEdge(vertexA, vertexB);
|
||||||
|
graph.addEdge(vertexB, vertexC);
|
||||||
|
graph.addEdge(vertexC, vertexA);
|
||||||
|
graph.addEdge(vertexD, vertexC);
|
||||||
|
|
||||||
|
assertTrue(graph.hasCycle());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenGraph_whenNoCycleExists_thenReturnFalse() {
|
||||||
|
|
||||||
|
Vertex vertexA = new Vertex("A");
|
||||||
|
Vertex vertexB = new Vertex("B");
|
||||||
|
Vertex vertexC = new Vertex("C");
|
||||||
|
Vertex vertexD = new Vertex("D");
|
||||||
|
|
||||||
|
Graph graph = new Graph();
|
||||||
|
graph.addVertex(vertexA);
|
||||||
|
graph.addVertex(vertexB);
|
||||||
|
graph.addVertex(vertexC);
|
||||||
|
graph.addVertex(vertexD);
|
||||||
|
|
||||||
|
graph.addEdge(vertexA, vertexB);
|
||||||
|
graph.addEdge(vertexB, vertexC);
|
||||||
|
graph.addEdge(vertexA, vertexC);
|
||||||
|
graph.addEdge(vertexD, vertexC);
|
||||||
|
|
||||||
|
assertFalse(graph.hasCycle());
|
||||||
|
}
|
||||||
|
}
|
|
@ -3,5 +3,6 @@
|
||||||
## Relevant articles:
|
## Relevant articles:
|
||||||
|
|
||||||
- [String Matching in Groovy](http://www.baeldung.com/)
|
- [String Matching in Groovy](http://www.baeldung.com/)
|
||||||
|
- [Template Engines in Groovy](https://www.baeldung.com/groovy-template-engines)
|
||||||
- [Groovy def Keyword](https://www.baeldung.com/groovy-def-keyword)
|
- [Groovy def Keyword](https://www.baeldung.com/groovy-def-keyword)
|
||||||
- [Pattern Matching in Strings in Groovy](https://www.baeldung.com/groovy-pattern-matching)
|
- [Pattern Matching in Strings in Groovy](https://www.baeldung.com/groovy-pattern-matching)
|
|
@ -0,0 +1,178 @@
|
||||||
|
<?xml version="1.0" encoding="UTF-8"?>
|
||||||
|
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||||
|
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
|
||||||
|
<modelVersion>4.0.0</modelVersion>
|
||||||
|
<artifactId>core-groovy-2</artifactId>
|
||||||
|
<version>1.0-SNAPSHOT</version>
|
||||||
|
<name>core-groovy-2</name>
|
||||||
|
<packaging>jar</packaging>
|
||||||
|
|
||||||
|
<parent>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
|
<artifactId>parent-modules</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
</parent>
|
||||||
|
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.apache.commons</groupId>
|
||||||
|
<artifactId>commons-lang3</artifactId>
|
||||||
|
<version>${commons-lang3.version}</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>ch.qos.logback</groupId>
|
||||||
|
<artifactId>logback-classic</artifactId>
|
||||||
|
<version>${logback.version}</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
|
<artifactId>groovy-all</artifactId>
|
||||||
|
<version>${groovy.version}</version>
|
||||||
|
<type>pom</type>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.junit.platform</groupId>
|
||||||
|
<artifactId>junit-platform-runner</artifactId>
|
||||||
|
<version>${junit.platform.version}</version>
|
||||||
|
<scope>test</scope>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.hsqldb</groupId>
|
||||||
|
<artifactId>hsqldb</artifactId>
|
||||||
|
<version>${hsqldb.version}</version>
|
||||||
|
<scope>test</scope>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.spockframework</groupId>
|
||||||
|
<artifactId>spock-core</artifactId>
|
||||||
|
<version>${spock-core.version}</version>
|
||||||
|
<scope>test</scope>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
|
||||||
|
<build>
|
||||||
|
<scriptSourceDirectory>src/main/groovy</scriptSourceDirectory>
|
||||||
|
<sourceDirectory>src/main/java</sourceDirectory>
|
||||||
|
<plugins>
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.codehaus.gmavenplus</groupId>
|
||||||
|
<artifactId>gmavenplus-plugin</artifactId>
|
||||||
|
<version>1.7.0</version>
|
||||||
|
<executions>
|
||||||
|
<execution>
|
||||||
|
<goals>
|
||||||
|
<goal>execute</goal>
|
||||||
|
<goal>addSources</goal>
|
||||||
|
<goal>addTestSources</goal>
|
||||||
|
<goal>generateStubs</goal>
|
||||||
|
<goal>compile</goal>
|
||||||
|
<goal>generateTestStubs</goal>
|
||||||
|
<goal>compileTests</goal>
|
||||||
|
<goal>removeStubs</goal>
|
||||||
|
<goal>removeTestStubs</goal>
|
||||||
|
</goals>
|
||||||
|
</execution>
|
||||||
|
</executions>
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
|
<artifactId>groovy-all</artifactId>
|
||||||
|
<!-- any version of Groovy \>= 1.5.0 should work here -->
|
||||||
|
<version>${groovy.version}</version>
|
||||||
|
<scope>runtime</scope>
|
||||||
|
<type>pom</type>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
</plugin>
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.apache.maven.plugins</groupId>
|
||||||
|
<artifactId>maven-compiler-plugin</artifactId>
|
||||||
|
</plugin>
|
||||||
|
<plugin>
|
||||||
|
<artifactId>maven-failsafe-plugin</artifactId>
|
||||||
|
<version>${maven-failsafe-plugin.version}</version>
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.junit.platform</groupId>
|
||||||
|
<artifactId>junit-platform-surefire-provider</artifactId>
|
||||||
|
<version>${junit.platform.version}</version>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
<executions>
|
||||||
|
<execution>
|
||||||
|
<id>junit5</id>
|
||||||
|
<goals>
|
||||||
|
<goal>integration-test</goal>
|
||||||
|
<goal>verify</goal>
|
||||||
|
</goals>
|
||||||
|
<configuration>
|
||||||
|
<includes>
|
||||||
|
<include>**/*Test5.java</include>
|
||||||
|
</includes>
|
||||||
|
</configuration>
|
||||||
|
</execution>
|
||||||
|
</executions>
|
||||||
|
</plugin>
|
||||||
|
<plugin>
|
||||||
|
<artifactId>maven-surefire-plugin</artifactId>
|
||||||
|
<version>2.20.1</version>
|
||||||
|
<configuration>
|
||||||
|
<useFile>false</useFile>
|
||||||
|
<includes>
|
||||||
|
<include>**/*Test.java</include>
|
||||||
|
<include>**/*Spec.java</include>
|
||||||
|
</includes>
|
||||||
|
</configuration>
|
||||||
|
</plugin>
|
||||||
|
<!-- Maven Assembly Plugin: needed to run the jar through command line -->
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.apache.maven.plugins</groupId>
|
||||||
|
<artifactId>maven-assembly-plugin</artifactId>
|
||||||
|
<version>3.1.0</version>
|
||||||
|
<configuration>
|
||||||
|
<!-- get all project dependencies -->
|
||||||
|
<descriptorRefs>
|
||||||
|
<descriptorRef>jar-with-dependencies</descriptorRef>
|
||||||
|
</descriptorRefs>
|
||||||
|
<!-- MainClass in mainfest make a executable jar -->
|
||||||
|
<archive>
|
||||||
|
<manifest>
|
||||||
|
<mainClass>com.baeldung.MyJointCompilationApp</mainClass>
|
||||||
|
</manifest>
|
||||||
|
</archive>
|
||||||
|
|
||||||
|
</configuration>
|
||||||
|
<executions>
|
||||||
|
<execution>
|
||||||
|
<id>make-assembly</id>
|
||||||
|
<!-- bind to the packaging phase -->
|
||||||
|
<phase>package</phase>
|
||||||
|
<goals>
|
||||||
|
<goal>single</goal>
|
||||||
|
</goals>
|
||||||
|
</execution>
|
||||||
|
</executions>
|
||||||
|
</plugin>
|
||||||
|
</plugins>
|
||||||
|
</build>
|
||||||
|
|
||||||
|
<repositories>
|
||||||
|
<repository>
|
||||||
|
<id>central</id>
|
||||||
|
<url>http://jcenter.bintray.com</url>
|
||||||
|
</repository>
|
||||||
|
</repositories>
|
||||||
|
|
||||||
|
<properties>
|
||||||
|
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
|
||||||
|
<junit.platform.version>1.0.0</junit.platform.version>
|
||||||
|
<hsqldb.version>2.4.0</hsqldb.version>
|
||||||
|
<spock-core.version>1.1-groovy-2.4</spock-core.version>
|
||||||
|
<commons-lang3.version>3.9</commons-lang3.version>
|
||||||
|
<java.version>1.8</java.version>
|
||||||
|
<logback.version>1.2.3</logback.version>
|
||||||
|
<groovy.version>2.5.7</groovy.version>
|
||||||
|
<gmavenplus-plugin.version>1.6</gmavenplus-plugin.version>
|
||||||
|
</properties>
|
||||||
|
</project>
|
||||||
|
|
|
@ -15,25 +15,20 @@
|
||||||
|
|
||||||
<dependencies>
|
<dependencies>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.codehaus.groovy</groupId>
|
<groupId>org.apache.commons</groupId>
|
||||||
<artifactId>groovy</artifactId>
|
<artifactId>commons-lang3</artifactId>
|
||||||
<version>${groovy.version}</version>
|
<version>${commons-lang3.version}</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>ch.qos.logback</groupId>
|
||||||
|
<artifactId>logback-classic</artifactId>
|
||||||
|
<version>${logback.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.codehaus.groovy</groupId>
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
<artifactId>groovy-all</artifactId>
|
<artifactId>groovy-all</artifactId>
|
||||||
<version>${groovy-all.version}</version>
|
|
||||||
<type>pom</type>
|
|
||||||
</dependency>
|
|
||||||
<dependency>
|
|
||||||
<groupId>org.codehaus.groovy</groupId>
|
|
||||||
<artifactId>groovy-dateutil</artifactId>
|
|
||||||
<version>${groovy.version}</version>
|
<version>${groovy.version}</version>
|
||||||
</dependency>
|
<type>pom</type>
|
||||||
<dependency>
|
|
||||||
<groupId>org.codehaus.groovy</groupId>
|
|
||||||
<artifactId>groovy-sql</artifactId>
|
|
||||||
<version>${groovy-sql.version}</version>
|
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.junit.platform</groupId>
|
<groupId>org.junit.platform</groupId>
|
||||||
|
@ -56,21 +51,35 @@
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
|
<scriptSourceDirectory>src/main/groovy</scriptSourceDirectory>
|
||||||
|
<sourceDirectory>src/main/java</sourceDirectory>
|
||||||
<plugins>
|
<plugins>
|
||||||
<plugin>
|
<plugin>
|
||||||
<groupId>org.codehaus.gmavenplus</groupId>
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
<artifactId>gmavenplus-plugin</artifactId>
|
<artifactId>groovy-eclipse-compiler</artifactId>
|
||||||
<version>${gmavenplus-plugin.version}</version>
|
<version>3.3.0-01</version>
|
||||||
<executions>
|
<extensions>true</extensions>
|
||||||
<execution>
|
</plugin>
|
||||||
<goals>
|
<plugin>
|
||||||
<goal>addSources</goal>
|
<artifactId>maven-compiler-plugin</artifactId>
|
||||||
<goal>addTestSources</goal>
|
<version>3.8.0</version>
|
||||||
<goal>compile</goal>
|
<configuration>
|
||||||
<goal>compileTests</goal>
|
<compilerId>groovy-eclipse-compiler</compilerId>
|
||||||
</goals>
|
<source>${java.version}</source>
|
||||||
</execution>
|
<target>${java.version}</target>
|
||||||
</executions>
|
</configuration>
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
|
<artifactId>groovy-eclipse-compiler</artifactId>
|
||||||
|
<version>3.3.0-01</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.codehaus.groovy</groupId>
|
||||||
|
<artifactId>groovy-eclipse-batch</artifactId>
|
||||||
|
<version>${groovy.version}-01</version>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
</plugin>
|
</plugin>
|
||||||
<plugin>
|
<plugin>
|
||||||
<artifactId>maven-failsafe-plugin</artifactId>
|
<artifactId>maven-failsafe-plugin</artifactId>
|
||||||
|
@ -108,6 +117,35 @@
|
||||||
</includes>
|
</includes>
|
||||||
</configuration>
|
</configuration>
|
||||||
</plugin>
|
</plugin>
|
||||||
|
<!-- Maven Assembly Plugin: needed to run the jar through command line -->
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.apache.maven.plugins</groupId>
|
||||||
|
<artifactId>maven-assembly-plugin</artifactId>
|
||||||
|
<version>3.1.0</version>
|
||||||
|
<configuration>
|
||||||
|
<!-- get all project dependencies -->
|
||||||
|
<descriptorRefs>
|
||||||
|
<descriptorRef>jar-with-dependencies</descriptorRef>
|
||||||
|
</descriptorRefs>
|
||||||
|
<!-- MainClass in mainfest make a executable jar -->
|
||||||
|
<archive>
|
||||||
|
<manifest>
|
||||||
|
<mainClass>com.baeldung.MyJointCompilationApp</mainClass>
|
||||||
|
</manifest>
|
||||||
|
</archive>
|
||||||
|
|
||||||
|
</configuration>
|
||||||
|
<executions>
|
||||||
|
<execution>
|
||||||
|
<id>make-assembly</id>
|
||||||
|
<!-- bind to the packaging phase -->
|
||||||
|
<phase>package</phase>
|
||||||
|
<goals>
|
||||||
|
<goal>single</goal>
|
||||||
|
</goals>
|
||||||
|
</execution>
|
||||||
|
</executions>
|
||||||
|
</plugin>
|
||||||
</plugins>
|
</plugins>
|
||||||
</build>
|
</build>
|
||||||
|
|
||||||
|
@ -118,14 +156,32 @@
|
||||||
</repository>
|
</repository>
|
||||||
</repositories>
|
</repositories>
|
||||||
|
|
||||||
|
<pluginRepositories>
|
||||||
|
<pluginRepository>
|
||||||
|
<id>bintray</id>
|
||||||
|
<name>Groovy Bintray</name>
|
||||||
|
<url>https://dl.bintray.com/groovy/maven</url>
|
||||||
|
<releases>
|
||||||
|
<!-- avoid automatic updates -->
|
||||||
|
<updatePolicy>never</updatePolicy>
|
||||||
|
</releases>
|
||||||
|
<snapshots>
|
||||||
|
<enabled>false</enabled>
|
||||||
|
</snapshots>
|
||||||
|
</pluginRepository>
|
||||||
|
</pluginRepositories>
|
||||||
|
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<junit.platform.version>1.0.0</junit.platform.version>
|
<junit.platform.version>1.0.0</junit.platform.version>
|
||||||
<groovy.version>2.5.6</groovy.version>
|
|
||||||
<groovy-all.version>2.5.6</groovy-all.version>
|
|
||||||
<groovy-sql.version>2.5.6</groovy-sql.version>
|
|
||||||
<hsqldb.version>2.4.0</hsqldb.version>
|
<hsqldb.version>2.4.0</hsqldb.version>
|
||||||
<spock-core.version>1.1-groovy-2.4</spock-core.version>
|
<spock-core.version>1.1-groovy-2.4</spock-core.version>
|
||||||
<gmavenplus-plugin.version>1.6</gmavenplus-plugin.version>
|
<commons-lang3.version>3.9</commons-lang3.version>
|
||||||
|
<java.version>1.8</java.version>
|
||||||
|
<maven-compiler-plugin.version>3.8.1</maven-compiler-plugin.version>
|
||||||
|
<logback.version>1.2.3</logback.version>
|
||||||
|
<groovy.version>2.5.7</groovy.version>
|
||||||
|
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
|
||||||
</properties>
|
</properties>
|
||||||
</project>
|
</project>
|
||||||
|
|
||||||
|
|
|
@ -0,0 +1,25 @@
|
||||||
|
package com.baeldung
|
||||||
|
|
||||||
|
import org.slf4j.LoggerFactory
|
||||||
|
|
||||||
|
class CalcMath {
|
||||||
|
def log = LoggerFactory.getLogger(this.getClass())
|
||||||
|
|
||||||
|
def calcSum(x, y) {
|
||||||
|
log.info "Executing $x + $y"
|
||||||
|
x + y
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* example of method that in java would throw error at compile time
|
||||||
|
* @param x
|
||||||
|
* @param y
|
||||||
|
* @return
|
||||||
|
*/
|
||||||
|
def calcSum2(x, y) {
|
||||||
|
log.info "Executing $x + $y"
|
||||||
|
// DANGER! This won't throw a compilation issue and fail only at runtime!!!
|
||||||
|
calcSum3()
|
||||||
|
log.info("Logging an undefined variable: $z")
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,16 @@
|
||||||
|
package com.baeldung
|
||||||
|
|
||||||
|
def calcSum(x, y) {
|
||||||
|
x + y
|
||||||
|
}
|
||||||
|
|
||||||
|
def calcSum2(x, y) {
|
||||||
|
// DANGER! The variable "log" may be undefined
|
||||||
|
log.info "Executing $x + $y"
|
||||||
|
// DANGER! This method doesn't exist!
|
||||||
|
calcSum3()
|
||||||
|
// DANGER! The logged variable "z" is undefined!
|
||||||
|
log.info("Logging an undefined variable: $z")
|
||||||
|
}
|
||||||
|
|
||||||
|
calcSum(1,5)
|
|
@ -0,0 +1,120 @@
|
||||||
|
package com.baeldung;
|
||||||
|
|
||||||
|
import groovy.lang.*;
|
||||||
|
import groovy.util.GroovyScriptEngine;
|
||||||
|
import groovy.util.ResourceException;
|
||||||
|
import groovy.util.ScriptException;
|
||||||
|
import org.codehaus.groovy.jsr223.GroovyScriptEngineFactory;
|
||||||
|
import org.slf4j.Logger;
|
||||||
|
import org.slf4j.LoggerFactory;
|
||||||
|
import javax.script.ScriptEngine;
|
||||||
|
import java.io.File;
|
||||||
|
import java.io.FileNotFoundException;
|
||||||
|
import java.io.FileReader;
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.net.MalformedURLException;
|
||||||
|
import java.net.URL;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Hello world!
|
||||||
|
*
|
||||||
|
*/
|
||||||
|
public class MyJointCompilationApp {
|
||||||
|
private final static Logger LOG = LoggerFactory.getLogger(MyJointCompilationApp.class);
|
||||||
|
private final GroovyClassLoader loader;
|
||||||
|
private final GroovyShell shell;
|
||||||
|
private final GroovyScriptEngine engine;
|
||||||
|
private final ScriptEngine engineFromFactory;
|
||||||
|
|
||||||
|
public MyJointCompilationApp() {
|
||||||
|
loader = new GroovyClassLoader(this.getClass().getClassLoader());
|
||||||
|
shell = new GroovyShell(loader, new Binding());
|
||||||
|
|
||||||
|
URL url = null;
|
||||||
|
try {
|
||||||
|
url = new File("src/main/groovy/com/baeldung/").toURI().toURL();
|
||||||
|
} catch (MalformedURLException e) {
|
||||||
|
LOG.error("Exception while creating url", e);
|
||||||
|
}
|
||||||
|
engine = new GroovyScriptEngine(new URL[] {url}, this.getClass().getClassLoader());
|
||||||
|
engineFromFactory = new GroovyScriptEngineFactory().getScriptEngine();
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithCompiledClasses(int x, int y) {
|
||||||
|
LOG.info("Executing {} + {}", x, y);
|
||||||
|
Object result1 = new CalcScript().calcSum(x, y);
|
||||||
|
LOG.info("Result of CalcScript.calcSum() method is {}", result1);
|
||||||
|
|
||||||
|
Object result2 = new CalcMath().calcSum(x, y);
|
||||||
|
LOG.info("Result of CalcMath.calcSum() method is {}", result2);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithGroovyShell(int x, int y) throws IOException {
|
||||||
|
Script script = shell.parse(new File("src/main/groovy/com/baeldung/", "CalcScript.groovy"));
|
||||||
|
LOG.info("Executing {} + {}", x, y);
|
||||||
|
Object result = script.invokeMethod("calcSum", new Object[] { x, y });
|
||||||
|
LOG.info("Result of CalcScript.calcSum() method is {}", result);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithGroovyShellRun() throws IOException {
|
||||||
|
Script script = shell.parse(new File("src/main/groovy/com/baeldung/", "CalcScript.groovy"));
|
||||||
|
LOG.info("Executing script run method");
|
||||||
|
Object result = script.run();
|
||||||
|
LOG.info("Result of CalcScript.run() method is {}", result);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithGroovyClassLoader(int x, int y) throws IllegalAccessException, InstantiationException, IOException {
|
||||||
|
Class calcClass = loader.parseClass(
|
||||||
|
new File("src/main/groovy/com/baeldung/", "CalcMath.groovy"));
|
||||||
|
GroovyObject calc = (GroovyObject) calcClass.newInstance();
|
||||||
|
Object result = calc.invokeMethod("calcSum", new Object[] { x + 14, y + 14 });
|
||||||
|
LOG.info("Result of CalcMath.calcSum() method is {}", result);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithGroovyScriptEngine(int x, int y) throws IllegalAccessException,
|
||||||
|
InstantiationException, ResourceException, ScriptException {
|
||||||
|
Class<GroovyObject> calcClass = engine.loadScriptByName("CalcMath.groovy");
|
||||||
|
GroovyObject calc = calcClass.newInstance();
|
||||||
|
//WARNING the following will throw a ClassCastException
|
||||||
|
//((CalcMath)calc).calcSum(1,2);
|
||||||
|
Object result = calc.invokeMethod("calcSum", new Object[] { x, y });
|
||||||
|
LOG.info("Result of CalcMath.calcSum() method is {}", result);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithEngineFactory(int x, int y) throws IllegalAccessException,
|
||||||
|
InstantiationException, javax.script.ScriptException, FileNotFoundException {
|
||||||
|
Class calcClass = (Class) engineFromFactory.eval(
|
||||||
|
new FileReader(new File("src/main/groovy/com/baeldung/", "CalcMath.groovy")));
|
||||||
|
GroovyObject calc = (GroovyObject) calcClass.newInstance();
|
||||||
|
Object result = calc.invokeMethod("calcSum", new Object[] { x, y });
|
||||||
|
LOG.info("Result of CalcMath.calcSum() method is {}", result);
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithStaticCompiledClasses() {
|
||||||
|
LOG.info("Running the Groovy classes compiled statically...");
|
||||||
|
addWithCompiledClasses(5, 10);
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
private void addWithDynamicCompiledClasses() throws IOException, IllegalAccessException, InstantiationException,
|
||||||
|
ResourceException, ScriptException, javax.script.ScriptException {
|
||||||
|
LOG.info("Invocation of a dynamic groovy script...");
|
||||||
|
addWithGroovyShell(5, 10);
|
||||||
|
LOG.info("Invocation of the run method of a dynamic groovy script...");
|
||||||
|
addWithGroovyShellRun();
|
||||||
|
LOG.info("Invocation of a dynamic groovy class loaded with GroovyClassLoader...");
|
||||||
|
addWithGroovyClassLoader(10, 30);
|
||||||
|
LOG.info("Invocation of a dynamic groovy class loaded with GroovyScriptEngine...");
|
||||||
|
addWithGroovyScriptEngine(15, 0);
|
||||||
|
LOG.info("Invocation of a dynamic groovy class loaded with GroovyScriptEngine JSR223...");
|
||||||
|
addWithEngineFactory(5, 6);
|
||||||
|
}
|
||||||
|
|
||||||
|
public static void main(String[] args) throws InstantiationException, IllegalAccessException,
|
||||||
|
ResourceException, ScriptException, IOException, javax.script.ScriptException {
|
||||||
|
MyJointCompilationApp myJointCompilationApp = new MyJointCompilationApp();
|
||||||
|
LOG.info("Example of addition operation via Groovy scripts integration with Java.");
|
||||||
|
myJointCompilationApp.addWithStaticCompiledClasses();
|
||||||
|
myJointCompilationApp.addWithDynamicCompiledClasses();
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,40 @@
|
||||||
|
package com.baeldung.xml
|
||||||
|
|
||||||
|
import groovy.xml.MarkupBuilder
|
||||||
|
import groovy.xml.XmlUtil
|
||||||
|
import spock.lang.Specification
|
||||||
|
|
||||||
|
class MarkupBuilderUnitTest extends Specification {
|
||||||
|
|
||||||
|
def xmlFile = getClass().getResource("articles_short_formatted.xml")
|
||||||
|
|
||||||
|
def "Should create XML properly"() {
|
||||||
|
given: "Node structures"
|
||||||
|
|
||||||
|
when: "Using MarkupBuilderUnitTest to create com.baeldung.xml structure"
|
||||||
|
def writer = new StringWriter()
|
||||||
|
new MarkupBuilder(writer).articles {
|
||||||
|
article {
|
||||||
|
title('First steps in Java')
|
||||||
|
author(id: '1') {
|
||||||
|
firstname('Siena')
|
||||||
|
lastname('Kerr')
|
||||||
|
}
|
||||||
|
'release-date'('2018-12-01')
|
||||||
|
}
|
||||||
|
article {
|
||||||
|
title('Dockerize your SpringBoot application')
|
||||||
|
author(id: '2') {
|
||||||
|
firstname('Jonas')
|
||||||
|
lastname('Lugo')
|
||||||
|
}
|
||||||
|
'release-date'('2018-12-01')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
then: "Xml is created properly"
|
||||||
|
XmlUtil.serialize(writer.toString()) == XmlUtil.serialize(xmlFile.text)
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,94 @@
|
||||||
|
package com.baeldung.xml
|
||||||
|
|
||||||
|
|
||||||
|
import spock.lang.Shared
|
||||||
|
import spock.lang.Specification
|
||||||
|
|
||||||
|
class XmlParserUnitTest extends Specification {
|
||||||
|
|
||||||
|
def xmlFile = getClass().getResourceAsStream("articles.xml")
|
||||||
|
|
||||||
|
@Shared
|
||||||
|
def parser = new XmlParser()
|
||||||
|
|
||||||
|
def "Should read XML file properly"() {
|
||||||
|
given: "XML file"
|
||||||
|
|
||||||
|
when: "Using XmlParser to read file"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
then: "Xml is loaded properly"
|
||||||
|
articles.'*'.size() == 4
|
||||||
|
articles.article[0].author.firstname.text() == "Siena"
|
||||||
|
articles.article[2].'release-date'.text() == "2018-06-12"
|
||||||
|
articles.article[3].title.text() == "Java 12 insights"
|
||||||
|
articles.article.find { it.author.'@id'.text() == "3" }.author.firstname.text() == "Daniele"
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
def "Should add node to existing com.baeldung.xml using NodeBuilder"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Adding node to com.baeldung.xml"
|
||||||
|
def articleNode = new NodeBuilder().article(id: '5') {
|
||||||
|
title('Traversing XML in the nutshell')
|
||||||
|
author {
|
||||||
|
firstname('Martin')
|
||||||
|
lastname('Schmidt')
|
||||||
|
}
|
||||||
|
'release-date'('2019-05-18')
|
||||||
|
}
|
||||||
|
articles.append(articleNode)
|
||||||
|
|
||||||
|
then: "Node is added to com.baeldung.xml properly"
|
||||||
|
articles.'*'.size() == 5
|
||||||
|
articles.article[4].title.text() == "Traversing XML in the nutshell"
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should replace node"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Adding node to com.baeldung.xml"
|
||||||
|
def articleNode = new NodeBuilder().article(id: '5') {
|
||||||
|
title('Traversing XML in the nutshell')
|
||||||
|
author {
|
||||||
|
firstname('Martin')
|
||||||
|
lastname('Schmidt')
|
||||||
|
}
|
||||||
|
'release-date'('2019-05-18')
|
||||||
|
}
|
||||||
|
articles.article[0].replaceNode(articleNode)
|
||||||
|
|
||||||
|
then: "Node is added to com.baeldung.xml properly"
|
||||||
|
articles.'*'.size() == 4
|
||||||
|
articles.article[0].title.text() == "Traversing XML in the nutshell"
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should modify node"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Changing value of one of the nodes"
|
||||||
|
articles.article.each { it.'release-date'[0].value = "2019-05-18" }
|
||||||
|
|
||||||
|
then: "XML is updated"
|
||||||
|
articles.article.findAll { it.'release-date'.text() != "2019-05-18" }.isEmpty()
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should remove article from com.baeldung.xml"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Removing all articles but with id==3"
|
||||||
|
articles.article
|
||||||
|
.findAll { it.author.'@id'.text() != "3" }
|
||||||
|
.each { articles.remove(it) }
|
||||||
|
|
||||||
|
then: "There is only one article left"
|
||||||
|
articles.children().size() == 1
|
||||||
|
articles.article[0].author.'@id'.text() == "3"
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,102 @@
|
||||||
|
package com.baeldung.xml
|
||||||
|
|
||||||
|
|
||||||
|
import groovy.xml.XmlUtil
|
||||||
|
import spock.lang.Shared
|
||||||
|
import spock.lang.Specification
|
||||||
|
|
||||||
|
class XmlSlurperUnitTest extends Specification {
|
||||||
|
|
||||||
|
def xmlFile = getClass().getResourceAsStream("articles.xml")
|
||||||
|
|
||||||
|
@Shared
|
||||||
|
def parser = new XmlSlurper()
|
||||||
|
|
||||||
|
def "Should read XML file properly"() {
|
||||||
|
given: "XML file"
|
||||||
|
|
||||||
|
when: "Using XmlSlurper to read file"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
then: "Xml is loaded properly"
|
||||||
|
articles.'*'.size() == 4
|
||||||
|
articles.article[0].author.firstname == "Siena"
|
||||||
|
articles.article[2].'release-date' == "2018-06-12"
|
||||||
|
articles.article[3].title == "Java 12 insights"
|
||||||
|
articles.article.find { it.author.'@id' == "3" }.author.firstname == "Daniele"
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should add node to existing com.baeldung.xml"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Adding node to com.baeldung.xml"
|
||||||
|
articles.appendNode {
|
||||||
|
article(id: '5') {
|
||||||
|
title('Traversing XML in the nutshell')
|
||||||
|
author {
|
||||||
|
firstname('Martin')
|
||||||
|
lastname('Schmidt')
|
||||||
|
}
|
||||||
|
'release-date'('2019-05-18')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
articles = parser.parseText(XmlUtil.serialize(articles))
|
||||||
|
|
||||||
|
then: "Node is added to com.baeldung.xml properly"
|
||||||
|
articles.'*'.size() == 5
|
||||||
|
articles.article[4].title == "Traversing XML in the nutshell"
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should modify node"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Changing value of one of the nodes"
|
||||||
|
articles.article.each { it.'release-date' = "2019-05-18" }
|
||||||
|
|
||||||
|
then: "XML is updated"
|
||||||
|
articles.article.findAll { it.'release-date' != "2019-05-18" }.isEmpty()
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should replace node"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Replacing node"
|
||||||
|
articles.article[0].replaceNode {
|
||||||
|
article(id: '5') {
|
||||||
|
title('Traversing XML in the nutshell')
|
||||||
|
author {
|
||||||
|
firstname('Martin')
|
||||||
|
lastname('Schmidt')
|
||||||
|
}
|
||||||
|
'release-date'('2019-05-18')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
articles = parser.parseText(XmlUtil.serialize(articles))
|
||||||
|
|
||||||
|
then: "Node is replaced properly"
|
||||||
|
articles.'*'.size() == 4
|
||||||
|
articles.article[0].title == "Traversing XML in the nutshell"
|
||||||
|
}
|
||||||
|
|
||||||
|
def "Should remove article from com.baeldung.xml"() {
|
||||||
|
given: "XML object"
|
||||||
|
def articles = parser.parse(xmlFile)
|
||||||
|
|
||||||
|
when: "Removing all articles but with id==3"
|
||||||
|
articles.article
|
||||||
|
.findAll { it.author.'@id' != "3" }
|
||||||
|
.replaceNode {}
|
||||||
|
|
||||||
|
articles = parser.parseText(XmlUtil.serialize(articles))
|
||||||
|
|
||||||
|
then: "There is only one article left"
|
||||||
|
articles.children().size() == 1
|
||||||
|
articles.article[0].author.'@id' == "3"
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,34 @@
|
||||||
|
<articles>
|
||||||
|
<article>
|
||||||
|
<title>First steps in Java</title>
|
||||||
|
<author id='1'>
|
||||||
|
<firstname>Siena</firstname>
|
||||||
|
<lastname>Kerr</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-12-01</release-date>
|
||||||
|
</article>
|
||||||
|
<article>
|
||||||
|
<title>Dockerize your SpringBoot application</title>
|
||||||
|
<author id='2'>
|
||||||
|
<firstname>Jonas</firstname>
|
||||||
|
<lastname>Lugo</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-12-01</release-date>
|
||||||
|
</article>
|
||||||
|
<article>
|
||||||
|
<title>SpringBoot tutorial</title>
|
||||||
|
<author id='3'>
|
||||||
|
<firstname>Daniele</firstname>
|
||||||
|
<lastname>Ferguson</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-06-12</release-date>
|
||||||
|
</article>
|
||||||
|
<article>
|
||||||
|
<title>Java 12 insights</title>
|
||||||
|
<author id='1'>
|
||||||
|
<firstname>Siena</firstname>
|
||||||
|
<lastname>Kerr</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-07-22</release-date>
|
||||||
|
</article>
|
||||||
|
</articles>
|
|
@ -0,0 +1,18 @@
|
||||||
|
<articles>
|
||||||
|
<article>
|
||||||
|
<title>First steps in Java</title>
|
||||||
|
<author id='1'>
|
||||||
|
<firstname>Siena</firstname>
|
||||||
|
<lastname>Kerr</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-12-01</release-date>
|
||||||
|
</article>
|
||||||
|
<article>
|
||||||
|
<title>Dockerize your SpringBoot application</title>
|
||||||
|
<author id='2'>
|
||||||
|
<firstname>Jonas</firstname>
|
||||||
|
<lastname>Lugo</lastname>
|
||||||
|
</author>
|
||||||
|
<release-date>2018-12-01</release-date>
|
||||||
|
</article>
|
||||||
|
</articles>
|
|
@ -1,15 +0,0 @@
|
||||||
package com.baeldung.error;
|
|
||||||
|
|
||||||
public class ErrorGenerator {
|
|
||||||
public void throwException() throws Exception {
|
|
||||||
throw new Exception("checked");
|
|
||||||
}
|
|
||||||
|
|
||||||
public void throwRuntimeException() {
|
|
||||||
throw new RuntimeException("unchecked");
|
|
||||||
}
|
|
||||||
|
|
||||||
public void throwError() {
|
|
||||||
throw new Error("unchecked");
|
|
||||||
}
|
|
||||||
}
|
|
|
@ -1,51 +0,0 @@
|
||||||
package com.baeldung.error;
|
|
||||||
|
|
||||||
import org.junit.Assert;
|
|
||||||
import org.junit.Before;
|
|
||||||
import org.junit.Test;
|
|
||||||
|
|
||||||
public class ErrorGeneratorUnitTest {
|
|
||||||
|
|
||||||
private ErrorGenerator errorGenerator;
|
|
||||||
|
|
||||||
@Before
|
|
||||||
public void setUp() {
|
|
||||||
errorGenerator = new ErrorGenerator();
|
|
||||||
}
|
|
||||||
|
|
||||||
@Test
|
|
||||||
public void whenCheckedException_thenIsCaughtByCatchException() {
|
|
||||||
try {
|
|
||||||
errorGenerator.throwException();
|
|
||||||
} catch (Exception e) {
|
|
||||||
// caught! -> test pass
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
@Test
|
|
||||||
public void whenUncheckedException_thenIsCaughtByCatchException() {
|
|
||||||
try {
|
|
||||||
errorGenerator.throwRuntimeException();
|
|
||||||
} catch (Exception e) {
|
|
||||||
// caught! -> test pass
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
@Test(expected = Error.class)
|
|
||||||
public void whenError_thenIsNotCaughtByCatchException() {
|
|
||||||
try {
|
|
||||||
errorGenerator.throwError();
|
|
||||||
} catch (Exception e) {
|
|
||||||
Assert.fail(); // errors are not caught by catch exception
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
@Test
|
|
||||||
public void whenError_thenIsCaughtByCatchError() {
|
|
||||||
try {
|
|
||||||
errorGenerator.throwError();
|
|
||||||
} catch (Error e) {
|
|
||||||
// caught! -> test pass
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
|
@ -1,3 +1,5 @@
|
||||||
## Relevant articles:
|
## Relevant articles:
|
||||||
|
|
||||||
- [Multi-Module Maven Application with Java Modules](https://www.baeldung.com/maven-multi-module-project-java-jpms)
|
- [Multi-Module Maven Application with Java Modules](https://www.baeldung.com/maven-multi-module-project-java-jpms)
|
||||||
|
- [Guide to Java FileChannel](https://www.baeldung.com/java-filechannel)
|
||||||
|
- [Understanding the NumberFormatException in Java](https://www.baeldung.com/java-number-format-exception)
|
||||||
|
|
|
@ -7,4 +7,5 @@
|
||||||
- [Exploring the New HTTP Client in Java 9 and 11](https://www.baeldung.com/java-9-http-client)
|
- [Exploring the New HTTP Client in Java 9 and 11](https://www.baeldung.com/java-9-http-client)
|
||||||
- [An Introduction to Epsilon GC: A No-Op Experimental Garbage Collector](https://www.baeldung.com/jvm-epsilon-gc-garbage-collector)
|
- [An Introduction to Epsilon GC: A No-Op Experimental Garbage Collector](https://www.baeldung.com/jvm-epsilon-gc-garbage-collector)
|
||||||
- [Guide to jlink](https://www.baeldung.com/jlink)
|
- [Guide to jlink](https://www.baeldung.com/jlink)
|
||||||
|
- [Negate a Predicate Method Reference with Java 11](https://www.baeldung.com/java-negate-predicate-method-reference)
|
||||||
- [Transforming an Empty String into an Empty Optional](https://www.baeldung.com/java-empty-string-to-empty-optional)
|
- [Transforming an Empty String into an Empty Optional](https://www.baeldung.com/java-empty-string-to-empty-optional)
|
||||||
|
|
|
@ -3,5 +3,6 @@
|
||||||
## Core Java 8 Cookbooks and Examples (part 2)
|
## Core Java 8 Cookbooks and Examples (part 2)
|
||||||
|
|
||||||
### Relevant Articles:
|
### Relevant Articles:
|
||||||
- [Anonymous Classes in Java](https://www.baeldung.com/java-anonymous-classes)
|
- [Anonymous Classes in Java](http://www.baeldung.com/)
|
||||||
|
- [How to Delay Code Execution in Java](https://www.baeldung.com/java-delay-code-execution)
|
||||||
- [Run JAR Application With Command Line Arguments](https://www.baeldung.com/java-run-jar-with-arguments)
|
- [Run JAR Application With Command Line Arguments](https://www.baeldung.com/java-run-jar-with-arguments)
|
||||||
|
|
|
@ -30,7 +30,6 @@
|
||||||
<artifactId>icu4j</artifactId>
|
<artifactId>icu4j</artifactId>
|
||||||
<version>${icu.version}</version>
|
<version>${icu.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
|
|
|
@ -0,0 +1,34 @@
|
||||||
|
<?xml version="1.0" encoding="UTF-8"?>
|
||||||
|
<persistence xmlns="http://java.sun.com/xml/ns/persistence"
|
||||||
|
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||||
|
xsi:schemaLocation="http://java.sun.com/xml/ns/persistence http://java.sun.com/xml/ns/persistence/persistence_2_0.xsd"
|
||||||
|
version="2.0">
|
||||||
|
|
||||||
|
<persistence-unit
|
||||||
|
name="com.baeldung.optionalReturnType"
|
||||||
|
transaction-type="RESOURCE_LOCAL">
|
||||||
|
<description>Persist Optional Return Type Demo</description>
|
||||||
|
<provider>org.hibernate.jpa.HibernatePersistenceProvider</provider>
|
||||||
|
<class>com.baeldung.optionalReturnType.User</class>
|
||||||
|
<class>com.baeldung.optionalReturnType.UserOptional</class>
|
||||||
|
<!--
|
||||||
|
<class>com.baeldung.optionalReturnType.UserOptionalField</class>
|
||||||
|
-->
|
||||||
|
<exclude-unlisted-classes>true</exclude-unlisted-classes>
|
||||||
|
|
||||||
|
<properties>
|
||||||
|
<property name="javax.persistence.jdbc.driver"
|
||||||
|
value="org.h2.Driver" />
|
||||||
|
<property name="javax.persistence.jdbc.url"
|
||||||
|
value="jdbc:h2:mem:test" />
|
||||||
|
<property name="javax.persistence.jdbc.user" value="sa" />
|
||||||
|
<property name="javax.persistence.jdbc.password" value="" />
|
||||||
|
<property name="hibernate.dialect"
|
||||||
|
value="org.hibernate.dialect.H2Dialect" />
|
||||||
|
<property name="hibernate.hbm2ddl.auto" value="create-drop" />
|
||||||
|
<property name="show_sql" value="true" />
|
||||||
|
<property name="hibernate.temp.use_jdbc_metadata_defaults"
|
||||||
|
value="false" />
|
||||||
|
</properties>
|
||||||
|
</persistence-unit>
|
||||||
|
</persistence>
|
|
@ -15,3 +15,4 @@
|
||||||
- [Intersection Between two Integer Arrays](https://www.baeldung.com/java-array-intersection)
|
- [Intersection Between two Integer Arrays](https://www.baeldung.com/java-array-intersection)
|
||||||
- [Sorting Arrays in Java](https://www.baeldung.com/java-sorting-arrays)
|
- [Sorting Arrays in Java](https://www.baeldung.com/java-sorting-arrays)
|
||||||
- [Convert a Float to a Byte Array in Java](https://www.baeldung.com/java-convert-float-to-byte-array)
|
- [Convert a Float to a Byte Array in Java](https://www.baeldung.com/java-convert-float-to-byte-array)
|
||||||
|
- [Converting Between Stream and Array in Java](https://www.baeldung.com/java-stream-to-array)
|
||||||
|
|
|
@ -0,0 +1,26 @@
|
||||||
|
package com.baeldung.error;
|
||||||
|
|
||||||
|
import org.junit.Assert;
|
||||||
|
import org.junit.Before;
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class ErrorGeneratorUnitTest {
|
||||||
|
|
||||||
|
@Test(expected = AssertionError.class)
|
||||||
|
public void whenError_thenIsNotCaughtByCatchException() {
|
||||||
|
try {
|
||||||
|
throw new AssertionError();
|
||||||
|
} catch (Exception e) {
|
||||||
|
Assert.fail(); // errors are not caught by catch exception
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenError_thenIsCaughtByCatchError() {
|
||||||
|
try {
|
||||||
|
throw new AssertionError();
|
||||||
|
} catch (Error e) {
|
||||||
|
// caught! -> test pass
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,5 @@
|
||||||
|
=========
|
||||||
|
|
||||||
|
## Core Java Optional
|
||||||
|
|
||||||
|
### Relevant Articles:
|
|
@ -0,0 +1,53 @@
|
||||||
|
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
|
||||||
|
<modelVersion>4.0.0</modelVersion>
|
||||||
|
<parent>
|
||||||
|
<groupId>com.baeldung.core-java-modules</groupId>
|
||||||
|
<artifactId>core-java-modules</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
</parent>
|
||||||
|
<artifactId>core-java-optional</artifactId>
|
||||||
|
<version>0.1.0-SNAPSHOT</version>
|
||||||
|
<packaging>jar</packaging>
|
||||||
|
|
||||||
|
<properties>
|
||||||
|
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
|
||||||
|
<maven.compiler.source>1.8</maven.compiler.source>
|
||||||
|
<maven.compiler.target>1.8</maven.compiler.target>
|
||||||
|
<hibernate.core.version>5.4.0.Final</hibernate.core.version>
|
||||||
|
<h2database.version>1.4.197</h2database.version>
|
||||||
|
<jackson.databind.version>2.9.8</jackson.databind.version>
|
||||||
|
</properties>
|
||||||
|
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.hibernate</groupId>
|
||||||
|
<artifactId>hibernate-core</artifactId>
|
||||||
|
<version>${hibernate.core.version}</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.h2database</groupId>
|
||||||
|
<artifactId>h2</artifactId>
|
||||||
|
<version>${h2database.version}</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.fasterxml.jackson.core</groupId>
|
||||||
|
<artifactId>jackson-databind</artifactId>
|
||||||
|
<version>${jackson.databind.version}</version>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
|
||||||
|
<build>
|
||||||
|
<plugins>
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.apache.maven.plugins</groupId>
|
||||||
|
<artifactId>maven-compiler-plugin</artifactId>
|
||||||
|
<version>${maven-compiler-plugin.version}</version>
|
||||||
|
<configuration>
|
||||||
|
<source>${maven.compiler.source}</source>
|
||||||
|
<target>${maven.compiler.target}</target>
|
||||||
|
</configuration>
|
||||||
|
</plugin>
|
||||||
|
</plugins>
|
||||||
|
|
||||||
|
</build>
|
||||||
|
</project>
|
|
@ -0,0 +1,41 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.util.HashMap;
|
||||||
|
import java.util.Map;
|
||||||
|
import java.util.Optional;
|
||||||
|
|
||||||
|
public class HandleOptionalTypeExample {
|
||||||
|
static Map<String, User> usersByName = new HashMap();
|
||||||
|
static {
|
||||||
|
User user1 = new User();
|
||||||
|
user1.setUserId(1l);
|
||||||
|
user1.setFirstName("baeldung");
|
||||||
|
usersByName.put("baeldung", user1);
|
||||||
|
}
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
changeUserName("baeldung", "baeldung-new");
|
||||||
|
changeUserName("user", "user-new");
|
||||||
|
}
|
||||||
|
|
||||||
|
public static void changeUserName(String oldFirstName, String newFirstName) {
|
||||||
|
Optional<User> userOpt = findUserByName(oldFirstName);
|
||||||
|
if (userOpt.isPresent()) {
|
||||||
|
User user = userOpt.get();
|
||||||
|
user.setFirstName(newFirstName);
|
||||||
|
|
||||||
|
System.out.println("user with name " + oldFirstName + " is changed to " + user.getFirstName());
|
||||||
|
} else {
|
||||||
|
// user is missing
|
||||||
|
System.out.println("user with name " + oldFirstName + " is not found.");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public static Optional<User> findUserByName(String name) {
|
||||||
|
// look up the user in the database, the user object below could be null
|
||||||
|
User user = usersByName.get(name);
|
||||||
|
Optional<User> opt = Optional.ofNullable(user);
|
||||||
|
|
||||||
|
return opt;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,19 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import com.fasterxml.jackson.core.JsonProcessingException;
|
||||||
|
import com.fasterxml.jackson.databind.ObjectMapper;
|
||||||
|
|
||||||
|
public class OptionalToJsonExample {
|
||||||
|
public static void main(String[] args) {
|
||||||
|
UserOptional user = new UserOptional();
|
||||||
|
user.setUserId(1l);
|
||||||
|
user.setFirstName("Bael Dung");
|
||||||
|
|
||||||
|
ObjectMapper om = new ObjectMapper();
|
||||||
|
try {
|
||||||
|
System.out.print("user in json is:" + om.writeValueAsString(user));
|
||||||
|
} catch (JsonProcessingException e) {
|
||||||
|
e.printStackTrace();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,26 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.util.Optional;
|
||||||
|
|
||||||
|
import javax.persistence.EntityManager;
|
||||||
|
import javax.persistence.EntityManagerFactory;
|
||||||
|
import javax.persistence.Persistence;
|
||||||
|
|
||||||
|
public class PersistOptionalTypeExample {
|
||||||
|
static String persistenceUnit = "com.baeldung.optionalReturnType";
|
||||||
|
static EntityManagerFactory emf = Persistence.createEntityManagerFactory(persistenceUnit);
|
||||||
|
|
||||||
|
static EntityManager entityManager = emf.createEntityManager();
|
||||||
|
|
||||||
|
// to run this app, uncomment the follow line in META-INF/persistence.xml
|
||||||
|
// <class>com.baeldung.optionalReturnType.UserOptionalField</class>
|
||||||
|
public static void main(String[] args) {
|
||||||
|
UserOptionalField user1 = new UserOptionalField();
|
||||||
|
user1.setUserId(1l);
|
||||||
|
user1.setFirstName(Optional.of("Bael Dung"));
|
||||||
|
entityManager.persist(user1);
|
||||||
|
|
||||||
|
UserOptional user2 = entityManager.find(UserOptional.class, 1l);
|
||||||
|
System.out.print("User2.firstName:" + user2.getFirstName());
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,22 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import javax.persistence.EntityManager;
|
||||||
|
import javax.persistence.EntityManagerFactory;
|
||||||
|
import javax.persistence.Persistence;
|
||||||
|
|
||||||
|
public class PersistOptionalTypeExample2 {
|
||||||
|
static String persistenceUnit = "com.baeldung.optionalReturnType";
|
||||||
|
static EntityManagerFactory emf = Persistence.createEntityManagerFactory(persistenceUnit);
|
||||||
|
|
||||||
|
static EntityManager em = emf.createEntityManager();
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
UserOptional user1 = new UserOptional();
|
||||||
|
user1.setUserId(1l);
|
||||||
|
user1.setFirstName("Bael Dung");
|
||||||
|
em.persist(user1);
|
||||||
|
|
||||||
|
UserOptional user2 = em.find(UserOptional.class, 1l);
|
||||||
|
System.out.print("User2.firstName:" + user2.getFirstName());
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,22 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import javax.persistence.EntityManager;
|
||||||
|
import javax.persistence.EntityManagerFactory;
|
||||||
|
import javax.persistence.Persistence;
|
||||||
|
|
||||||
|
public class PersistUserExample {
|
||||||
|
static String persistenceUnit = "com.baeldung.optionalReturnType";
|
||||||
|
static EntityManagerFactory emf = Persistence.createEntityManagerFactory(persistenceUnit);
|
||||||
|
|
||||||
|
static EntityManager em = emf.createEntityManager();
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
User user1 = new User();
|
||||||
|
user1.setUserId(1l);
|
||||||
|
user1.setFirstName("Bael Dung");
|
||||||
|
em.persist(user1);
|
||||||
|
|
||||||
|
User user2 = em.find(User.class, 1l);
|
||||||
|
System.out.print("User2.firstName:" + user2.getFirstName());
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,41 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.io.FileOutputStream;
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.io.ObjectOutputStream;
|
||||||
|
import java.util.Optional;
|
||||||
|
|
||||||
|
public class SerializeOptionalTypeExample {
|
||||||
|
public static void main(String[] args) {
|
||||||
|
User user1 = new User();
|
||||||
|
user1.setUserId(1l);
|
||||||
|
user1.setFirstName("baeldung");
|
||||||
|
|
||||||
|
serializeObject(user1, "user1.ser");
|
||||||
|
|
||||||
|
UserOptionalField user2 = new UserOptionalField();
|
||||||
|
user2.setUserId(1l);
|
||||||
|
user2.setFirstName(Optional.of("baeldung"));
|
||||||
|
|
||||||
|
serializeObject(user2, "user2.ser");
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
public static void serializeObject(Object object, String fileName) {
|
||||||
|
// Serialization
|
||||||
|
try {
|
||||||
|
FileOutputStream file = new FileOutputStream(fileName);
|
||||||
|
ObjectOutputStream out = new ObjectOutputStream(file);
|
||||||
|
|
||||||
|
out.writeObject(object);
|
||||||
|
|
||||||
|
out.close();
|
||||||
|
file.close();
|
||||||
|
|
||||||
|
System.out.println("Object " + object.toString() + " has been serialized to file " + fileName);
|
||||||
|
|
||||||
|
} catch (IOException e) {
|
||||||
|
e.printStackTrace();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,31 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.io.Serializable;
|
||||||
|
|
||||||
|
import javax.persistence.Entity;
|
||||||
|
import javax.persistence.Id;
|
||||||
|
|
||||||
|
@Entity
|
||||||
|
public class User implements Serializable {
|
||||||
|
@Id
|
||||||
|
private long userId;
|
||||||
|
|
||||||
|
private String firstName;
|
||||||
|
|
||||||
|
public long getUserId() {
|
||||||
|
return userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setUserId(long userId) {
|
||||||
|
this.userId = userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getFirstName() {
|
||||||
|
return firstName;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setFirstName(String firstName) {
|
||||||
|
this.firstName = firstName;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,35 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.io.Serializable;
|
||||||
|
import java.util.Optional;
|
||||||
|
|
||||||
|
import javax.persistence.Column;
|
||||||
|
import javax.persistence.Entity;
|
||||||
|
import javax.persistence.Id;
|
||||||
|
|
||||||
|
@Entity
|
||||||
|
public class UserOptional implements Serializable {
|
||||||
|
@Id
|
||||||
|
private long userId;
|
||||||
|
|
||||||
|
@Column(nullable = true)
|
||||||
|
private String firstName;
|
||||||
|
|
||||||
|
public long getUserId() {
|
||||||
|
return userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setUserId(long userId) {
|
||||||
|
this.userId = userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Optional<String> getFirstName() {
|
||||||
|
return Optional.ofNullable(firstName);
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setFirstName(String firstName) {
|
||||||
|
this.firstName = firstName;
|
||||||
|
Optional.ofNullable(firstName);
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,31 @@
|
||||||
|
package com.baeldung.optionalReturnType;
|
||||||
|
|
||||||
|
import java.io.Serializable;
|
||||||
|
import java.util.Optional;
|
||||||
|
|
||||||
|
import javax.persistence.Entity;
|
||||||
|
import javax.persistence.Id;
|
||||||
|
|
||||||
|
@Entity
|
||||||
|
public class UserOptionalField implements Serializable {
|
||||||
|
@Id
|
||||||
|
private long userId;
|
||||||
|
|
||||||
|
private Optional<String> firstName;
|
||||||
|
|
||||||
|
public long getUserId() {
|
||||||
|
return userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setUserId(long userId) {
|
||||||
|
this.userId = userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Optional<String> getFirstName() {
|
||||||
|
return firstName;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setFirstName(Optional<String> firstName) {
|
||||||
|
this.firstName = firstName;
|
||||||
|
}
|
||||||
|
}
|
|
@ -51,4 +51,5 @@
|
||||||
- [Java Bitwise Operators](https://www.baeldung.com/java-bitwise-operators)
|
- [Java Bitwise Operators](https://www.baeldung.com/java-bitwise-operators)
|
||||||
- [Guide to Creating and Running a Jar File in Java](https://www.baeldung.com/java-create-jar)
|
- [Guide to Creating and Running a Jar File in Java](https://www.baeldung.com/java-create-jar)
|
||||||
- [Making a JSON POST Request With HttpURLConnection](https://www.baeldung.com/httpurlconnection-post)
|
- [Making a JSON POST Request With HttpURLConnection](https://www.baeldung.com/httpurlconnection-post)
|
||||||
|
- [How to Find an Exception’s Root Cause in Java](https://www.baeldung.com/java-exception-root-cause)
|
||||||
- [Convert Hex to ASCII in Java](https://www.baeldung.com/java-convert-hex-to-ascii)
|
- [Convert Hex to ASCII in Java](https://www.baeldung.com/java-convert-hex-to-ascii)
|
||||||
|
|
|
@ -16,6 +16,7 @@
|
||||||
<modules>
|
<modules>
|
||||||
<module>pre-jpms</module>
|
<module>pre-jpms</module>
|
||||||
<module>core-java-exceptions</module>
|
<module>core-java-exceptions</module>
|
||||||
|
<module>core-java-optional</module>
|
||||||
</modules>
|
</modules>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -1,3 +1,5 @@
|
||||||
### Relevant articles
|
### Relevant articles
|
||||||
|
|
||||||
- [Persisting DDD Aggregates](https://www.baeldung.com/spring-persisting-ddd-aggregates)
|
- [Persisting DDD Aggregates](https://www.baeldung.com/spring-persisting-ddd-aggregates)
|
||||||
|
- [Double Dispatch in DDD](https://www.baeldung.com/ddd-double-dispatch)
|
||||||
|
- [DDD Aggregates and @DomainEvents](https://www.baeldung.com/spring-data-ddd)
|
||||||
|
|
|
@ -0,0 +1,61 @@
|
||||||
|
version: '3'
|
||||||
|
|
||||||
|
services:
|
||||||
|
|
||||||
|
## VOLUME CONTAINER-TO-CONTAINER AND HOST-TO-CONTAINER TEST ##
|
||||||
|
|
||||||
|
volumes-example-service:
|
||||||
|
image: alpine:latest
|
||||||
|
container_name: volumes-example-service
|
||||||
|
volumes:
|
||||||
|
- /tmp:/my-volumes/host-volume
|
||||||
|
- /home:/my-volumes/readonly-host-volume:ro
|
||||||
|
- my-named-global-volume:/my-volumes/named-global-volume
|
||||||
|
tty: true # Needed to keep the container running
|
||||||
|
|
||||||
|
another-volumes-example-service:
|
||||||
|
image: alpine:latest
|
||||||
|
container_name: another-volumes-example-service
|
||||||
|
volumes:
|
||||||
|
- my-named-global-volume:/another-path/the-same-named-global-volume
|
||||||
|
tty: true # Needed to keep the container running
|
||||||
|
|
||||||
|
## NETWORK CONTAINER-TO-CONTAINER TEST ##
|
||||||
|
|
||||||
|
network-example-service:
|
||||||
|
image: karthequian/helloworld:latest
|
||||||
|
container_name: network-example-service
|
||||||
|
networks:
|
||||||
|
- my-shared-network
|
||||||
|
|
||||||
|
another-service-in-the-same-network:
|
||||||
|
image: alpine:latest
|
||||||
|
container_name: another-service-in-the-same-network
|
||||||
|
networks:
|
||||||
|
- my-shared-network
|
||||||
|
|
||||||
|
tty: true # Needed to keep the container running
|
||||||
|
|
||||||
|
another-service-in-its-own-network:
|
||||||
|
image: alpine:latest
|
||||||
|
container_name: another-service-in-its-own-network
|
||||||
|
networks:
|
||||||
|
- my-private-network
|
||||||
|
tty: true # Needed to keep the container running
|
||||||
|
|
||||||
|
## NETWORK HOST-TO-CONTAINER TEST ##
|
||||||
|
|
||||||
|
network-example-service-available-to-host-on-port-1337:
|
||||||
|
image: karthequian/helloworld:latest
|
||||||
|
container_name: network-example-service-available-to-host-on-port-1337
|
||||||
|
networks:
|
||||||
|
- my-shared-network
|
||||||
|
ports:
|
||||||
|
- "1337:80"
|
||||||
|
|
||||||
|
volumes:
|
||||||
|
my-named-global-volume:
|
||||||
|
|
||||||
|
networks:
|
||||||
|
my-shared-network: {}
|
||||||
|
my-private-network: {}
|
|
@ -15,8 +15,7 @@ public class ConvertToMap {
|
||||||
}
|
}
|
||||||
|
|
||||||
public Map<Integer, Book> listToMapWithDupKey(List<Book> books) {
|
public Map<Integer, Book> listToMapWithDupKey(List<Book> books) {
|
||||||
return books.stream().collect(Collectors.toMap(Book::getReleaseYear, Function.identity(),
|
return books.stream().collect(Collectors.toMap(Book::getReleaseYear, Function.identity(), (existing, replacement) -> existing));
|
||||||
(o1, o2) -> o1));
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public Map<Integer, Book> listToConcurrentMap(List<Book> books) {
|
public Map<Integer, Book> listToConcurrentMap(List<Book> books) {
|
||||||
|
|
|
@ -2,6 +2,7 @@ package com.baeldung.convertToMap;
|
||||||
|
|
||||||
import java.util.ArrayList;
|
import java.util.ArrayList;
|
||||||
import java.util.List;
|
import java.util.List;
|
||||||
|
import java.util.Map;
|
||||||
import java.util.concurrent.ConcurrentHashMap;
|
import java.util.concurrent.ConcurrentHashMap;
|
||||||
|
|
||||||
import static org.junit.Assert.*;
|
import static org.junit.Assert.*;
|
||||||
|
@ -34,8 +35,10 @@ public class ConvertToMapUnitTest {
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void whenMapHasDuplicateKey_with_merge_function() {
|
public void whenMapHasDuplicateKeyThenMergeFunctionHandlesCollision() {
|
||||||
assertTrue(convertToMap.listToMapWithDupKey(bookList).size() == 2);
|
Map<Integer, Book> booksByYear = convertToMap.listToMapWithDupKey(bookList);
|
||||||
|
assertEquals(2, booksByYear.size());
|
||||||
|
assertEquals("0395489318", booksByYear.get(1954).getIsbn());
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
|
|
|
@ -6,3 +6,4 @@
|
||||||
- [A Guide to Java EE Web-Related Annotations](http://www.baeldung.com/javaee-web-annotations)
|
- [A Guide to Java EE Web-Related Annotations](http://www.baeldung.com/javaee-web-annotations)
|
||||||
- [Introduction to Testing with Arquillian](http://www.baeldung.com/arquillian)
|
- [Introduction to Testing with Arquillian](http://www.baeldung.com/arquillian)
|
||||||
- [Java EE 7 Batch Processing](https://www.baeldung.com/java-ee-7-batch-processing)
|
- [Java EE 7 Batch Processing](https://www.baeldung.com/java-ee-7-batch-processing)
|
||||||
|
- [The Difference Between CDI and EJB Singleton](https://www.baeldung.com/jee-cdi-vs-ejb-singleton)
|
||||||
|
|
|
@ -3,3 +3,4 @@
|
||||||
- [Bean Validation in Jersey](https://www.baeldung.com/jersey-bean-validation)
|
- [Bean Validation in Jersey](https://www.baeldung.com/jersey-bean-validation)
|
||||||
- [Set a Response Body in JAX-RS](https://www.baeldung.com/jax-rs-response)
|
- [Set a Response Body in JAX-RS](https://www.baeldung.com/jax-rs-response)
|
||||||
- [Exploring the Jersey Test Framework](https://www.baeldung.com/jersey-test)
|
- [Exploring the Jersey Test Framework](https://www.baeldung.com/jersey-test)
|
||||||
|
- [Explore Jersey Request Parameters](https://www.baeldung.com/jersey-request-parameters)
|
||||||
|
|
|
@ -26,6 +26,7 @@ public class FruitResourceIntegrationTest extends JerseyTest {
|
||||||
protected Application configure() {
|
protected Application configure() {
|
||||||
enable(TestProperties.LOG_TRAFFIC);
|
enable(TestProperties.LOG_TRAFFIC);
|
||||||
enable(TestProperties.DUMP_ENTITY);
|
enable(TestProperties.DUMP_ENTITY);
|
||||||
|
forceSet(TestProperties.CONTAINER_PORT, "0");
|
||||||
|
|
||||||
ViewApplicationConfig config = new ViewApplicationConfig();
|
ViewApplicationConfig config = new ViewApplicationConfig();
|
||||||
config.register(FruitExceptionMapper.class);
|
config.register(FruitExceptionMapper.class);
|
||||||
|
|
|
@ -1,3 +1,4 @@
|
||||||
## Relevant articles:
|
## Relevant articles:
|
||||||
|
|
||||||
- [Jackson Support for Kotlin](https://www.baeldung.com/jackson-kotlin)
|
- [Jackson Support for Kotlin](https://www.baeldung.com/jackson-kotlin)
|
||||||
|
- [Introduction to RxKotlin](https://www.baeldung.com/rxkotlin)
|
||||||
|
|
|
@ -55,6 +55,39 @@
|
||||||
<artifactId>spring-boot-starter</artifactId>
|
<artifactId>spring-boot-starter</artifactId>
|
||||||
<version>${spring-boot-starter.version}</version>
|
<version>${spring-boot-starter.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
|
||||||
|
<!-- Dependencies for response decoder with okhttp -->
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.squareup.okhttp3</groupId>
|
||||||
|
<artifactId>okhttp</artifactId>
|
||||||
|
<version>3.14.2</version>
|
||||||
|
</dependency>
|
||||||
|
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.fasterxml.jackson.core</groupId>
|
||||||
|
<artifactId>jackson-databind</artifactId>
|
||||||
|
<version>2.9.9</version>
|
||||||
|
</dependency>
|
||||||
|
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.google.code.gson</groupId>
|
||||||
|
<artifactId>gson</artifactId>
|
||||||
|
<version>2.8.5</version>
|
||||||
|
</dependency>
|
||||||
|
|
||||||
|
<dependency>
|
||||||
|
<groupId>com.squareup.okhttp3</groupId>
|
||||||
|
<artifactId>mockwebserver</artifactId>
|
||||||
|
<version>3.14.2</version>
|
||||||
|
<scope>test</scope>
|
||||||
|
</dependency>
|
||||||
|
|
||||||
|
<dependency>
|
||||||
|
<groupId>edu.uci.ics</groupId>
|
||||||
|
<artifactId>crawler4j</artifactId>
|
||||||
|
<version>${crawler4j.version}</version>
|
||||||
|
</dependency>
|
||||||
|
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
|
@ -62,6 +95,7 @@
|
||||||
<classgraph.version>4.8.28</classgraph.version>
|
<classgraph.version>4.8.28</classgraph.version>
|
||||||
<jbpm.version>6.0.0.Final</jbpm.version>
|
<jbpm.version>6.0.0.Final</jbpm.version>
|
||||||
<picocli.version>3.9.6</picocli.version>
|
<picocli.version>3.9.6</picocli.version>
|
||||||
|
<crawler4j.version>4.4.0</crawler4j.version>
|
||||||
<spring-boot-starter.version>2.1.4.RELEASE</spring-boot-starter.version>
|
<spring-boot-starter.version>2.1.4.RELEASE</spring-boot-starter.version>
|
||||||
</properties>
|
</properties>
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -0,0 +1,22 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
public class CrawlerStatistics {
|
||||||
|
private int processedPageCount = 0;
|
||||||
|
private int totalLinksCount = 0;
|
||||||
|
|
||||||
|
public void incrementProcessedPageCount() {
|
||||||
|
processedPageCount++;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void incrementTotalLinksCount(int linksCount) {
|
||||||
|
totalLinksCount += linksCount;
|
||||||
|
}
|
||||||
|
|
||||||
|
public int getProcessedPageCount() {
|
||||||
|
return processedPageCount;
|
||||||
|
}
|
||||||
|
|
||||||
|
public int getTotalLinksCount() {
|
||||||
|
return totalLinksCount;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,48 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
import java.util.Set;
|
||||||
|
import java.util.regex.Pattern;
|
||||||
|
|
||||||
|
import edu.uci.ics.crawler4j.crawler.Page;
|
||||||
|
import edu.uci.ics.crawler4j.crawler.WebCrawler;
|
||||||
|
import edu.uci.ics.crawler4j.parser.HtmlParseData;
|
||||||
|
import edu.uci.ics.crawler4j.url.WebURL;
|
||||||
|
|
||||||
|
public class HtmlCrawler extends WebCrawler {
|
||||||
|
|
||||||
|
private final static Pattern EXCLUSIONS = Pattern.compile(".*(\\.(css|js|xml|gif|jpg|png|mp3|mp4|zip|gz|pdf))$");
|
||||||
|
|
||||||
|
private CrawlerStatistics stats;
|
||||||
|
|
||||||
|
public HtmlCrawler(CrawlerStatistics stats) {
|
||||||
|
this.stats = stats;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public boolean shouldVisit(Page referringPage, WebURL url) {
|
||||||
|
String urlString = url.getURL().toLowerCase();
|
||||||
|
return !EXCLUSIONS.matcher(urlString).matches()
|
||||||
|
&& urlString.startsWith("https://www.baeldung.com/");
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void visit(Page page) {
|
||||||
|
String url = page.getWebURL().getURL();
|
||||||
|
stats.incrementProcessedPageCount();
|
||||||
|
|
||||||
|
if (page.getParseData() instanceof HtmlParseData) {
|
||||||
|
HtmlParseData htmlParseData = (HtmlParseData) page.getParseData();
|
||||||
|
String title = htmlParseData.getTitle();
|
||||||
|
String text = htmlParseData.getText();
|
||||||
|
String html = htmlParseData.getHtml();
|
||||||
|
Set<WebURL> links = htmlParseData.getOutgoingUrls();
|
||||||
|
stats.incrementTotalLinksCount(links.size());
|
||||||
|
|
||||||
|
System.out.printf("Page with title '%s' %n", title);
|
||||||
|
System.out.printf(" Text length: %d %n", text.length());
|
||||||
|
System.out.printf(" HTML length: %d %n", html.length());
|
||||||
|
System.out.printf(" %d outbound links %n", links.size());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,36 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
import java.io.File;
|
||||||
|
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlConfig;
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlController;
|
||||||
|
import edu.uci.ics.crawler4j.fetcher.PageFetcher;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtConfig;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtServer;
|
||||||
|
|
||||||
|
public class HtmlCrawlerController {
|
||||||
|
|
||||||
|
public static void main(String[] args) throws Exception {
|
||||||
|
File crawlStorage = new File("src/test/resources/crawler4j");
|
||||||
|
CrawlConfig config = new CrawlConfig();
|
||||||
|
config.setCrawlStorageFolder(crawlStorage.getAbsolutePath());
|
||||||
|
config.setMaxDepthOfCrawling(2);
|
||||||
|
|
||||||
|
int numCrawlers = 12;
|
||||||
|
|
||||||
|
PageFetcher pageFetcher = new PageFetcher(config);
|
||||||
|
RobotstxtConfig robotstxtConfig = new RobotstxtConfig();
|
||||||
|
RobotstxtServer robotstxtServer = new RobotstxtServer(robotstxtConfig, pageFetcher);
|
||||||
|
CrawlController controller = new CrawlController(config, pageFetcher, robotstxtServer);
|
||||||
|
|
||||||
|
controller.addSeed("https://www.baeldung.com/");
|
||||||
|
|
||||||
|
CrawlerStatistics stats = new CrawlerStatistics();
|
||||||
|
CrawlController.WebCrawlerFactory<HtmlCrawler> factory = () -> new HtmlCrawler(stats);
|
||||||
|
|
||||||
|
controller.start(factory, numCrawlers);
|
||||||
|
System.out.printf("Crawled %d pages %n", stats.getProcessedPageCount());
|
||||||
|
System.out.printf("Total Number of outbound links = %d %n", stats.getTotalLinksCount());
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,49 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
import java.io.File;
|
||||||
|
import java.util.regex.Pattern;
|
||||||
|
|
||||||
|
import edu.uci.ics.crawler4j.crawler.Page;
|
||||||
|
import edu.uci.ics.crawler4j.crawler.WebCrawler;
|
||||||
|
import edu.uci.ics.crawler4j.parser.BinaryParseData;
|
||||||
|
import edu.uci.ics.crawler4j.url.WebURL;
|
||||||
|
|
||||||
|
public class ImageCrawler extends WebCrawler {
|
||||||
|
private final static Pattern EXCLUSIONS = Pattern.compile(".*(\\.(css|js|xml|gif|png|mp3|mp4|zip|gz|pdf))$");
|
||||||
|
|
||||||
|
private static final Pattern IMG_PATTERNS = Pattern.compile(".*(\\.(jpg|jpeg))$");
|
||||||
|
|
||||||
|
private File saveDir;
|
||||||
|
|
||||||
|
public ImageCrawler(File saveDir) {
|
||||||
|
this.saveDir = saveDir;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public boolean shouldVisit(Page referringPage, WebURL url) {
|
||||||
|
String urlString = url.getURL().toLowerCase();
|
||||||
|
if (EXCLUSIONS.matcher(urlString).matches()) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (IMG_PATTERNS.matcher(urlString).matches()
|
||||||
|
|| urlString.startsWith("https://www.baeldung.com/")) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void visit(Page page) {
|
||||||
|
String url = page.getWebURL().getURL();
|
||||||
|
if (IMG_PATTERNS.matcher(url).matches()
|
||||||
|
&& page.getParseData() instanceof BinaryParseData) {
|
||||||
|
String extension = url.substring(url.lastIndexOf("."));
|
||||||
|
int contentLength = page.getContentData().length;
|
||||||
|
|
||||||
|
System.out.printf("Extension is '%s' with content length %d %n", extension, contentLength);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,36 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
import java.io.File;
|
||||||
|
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlConfig;
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlController;
|
||||||
|
import edu.uci.ics.crawler4j.fetcher.PageFetcher;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtConfig;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtServer;
|
||||||
|
|
||||||
|
public class ImageCrawlerController {
|
||||||
|
|
||||||
|
public static void main(String[] args) throws Exception {
|
||||||
|
File crawlStorage = new File("src/test/resources/crawler4j");
|
||||||
|
CrawlConfig config = new CrawlConfig();
|
||||||
|
config.setCrawlStorageFolder(crawlStorage.getAbsolutePath());
|
||||||
|
config.setIncludeBinaryContentInCrawling(true);
|
||||||
|
config.setMaxPagesToFetch(500);
|
||||||
|
|
||||||
|
File saveDir = new File("src/test/resources/crawler4j");
|
||||||
|
|
||||||
|
int numCrawlers = 12;
|
||||||
|
|
||||||
|
PageFetcher pageFetcher = new PageFetcher(config);
|
||||||
|
RobotstxtConfig robotstxtConfig = new RobotstxtConfig();
|
||||||
|
RobotstxtServer robotstxtServer = new RobotstxtServer(robotstxtConfig, pageFetcher);
|
||||||
|
CrawlController controller = new CrawlController(config, pageFetcher, robotstxtServer);
|
||||||
|
|
||||||
|
controller.addSeed("https://www.baeldung.com/");
|
||||||
|
|
||||||
|
CrawlController.WebCrawlerFactory<ImageCrawler> factory = () -> new ImageCrawler(saveDir);
|
||||||
|
|
||||||
|
controller.start(factory, numCrawlers);
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,54 @@
|
||||||
|
package com.baeldung.crawler4j;
|
||||||
|
|
||||||
|
import java.io.File;
|
||||||
|
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlConfig;
|
||||||
|
import edu.uci.ics.crawler4j.crawler.CrawlController;
|
||||||
|
import edu.uci.ics.crawler4j.fetcher.PageFetcher;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtConfig;
|
||||||
|
import edu.uci.ics.crawler4j.robotstxt.RobotstxtServer;
|
||||||
|
|
||||||
|
public class MultipleCrawlerController {
|
||||||
|
public static void main(String[] args) throws Exception {
|
||||||
|
File crawlStorageBase = new File("src/test/resources/crawler4j");
|
||||||
|
CrawlConfig htmlConfig = new CrawlConfig();
|
||||||
|
CrawlConfig imageConfig = new CrawlConfig();
|
||||||
|
|
||||||
|
htmlConfig.setCrawlStorageFolder(new File(crawlStorageBase, "html").getAbsolutePath());
|
||||||
|
imageConfig.setCrawlStorageFolder(new File(crawlStorageBase, "image").getAbsolutePath());
|
||||||
|
imageConfig.setIncludeBinaryContentInCrawling(true);
|
||||||
|
|
||||||
|
htmlConfig.setMaxPagesToFetch(500);
|
||||||
|
imageConfig.setMaxPagesToFetch(1000);
|
||||||
|
|
||||||
|
PageFetcher pageFetcherHtml = new PageFetcher(htmlConfig);
|
||||||
|
PageFetcher pageFetcherImage = new PageFetcher(imageConfig);
|
||||||
|
|
||||||
|
RobotstxtConfig robotstxtConfig = new RobotstxtConfig();
|
||||||
|
RobotstxtServer robotstxtServer = new RobotstxtServer(robotstxtConfig, pageFetcherHtml);
|
||||||
|
|
||||||
|
CrawlController htmlController = new CrawlController(htmlConfig, pageFetcherHtml, robotstxtServer);
|
||||||
|
CrawlController imageController = new CrawlController(imageConfig, pageFetcherImage, robotstxtServer);
|
||||||
|
|
||||||
|
htmlController.addSeed("https://www.baeldung.com/");
|
||||||
|
imageController.addSeed("https://www.baeldung.com/");
|
||||||
|
|
||||||
|
CrawlerStatistics stats = new CrawlerStatistics();
|
||||||
|
CrawlController.WebCrawlerFactory<HtmlCrawler> htmlFactory = () -> new HtmlCrawler(stats);
|
||||||
|
|
||||||
|
File saveDir = new File("src/test/resources/crawler4j");
|
||||||
|
CrawlController.WebCrawlerFactory<ImageCrawler> imageFactory = () -> new ImageCrawler(saveDir);
|
||||||
|
|
||||||
|
imageController.startNonBlocking(imageFactory, 7);
|
||||||
|
htmlController.startNonBlocking(htmlFactory, 10);
|
||||||
|
|
||||||
|
|
||||||
|
htmlController.waitUntilFinish();
|
||||||
|
System.out.printf("Crawled %d pages %n", stats.getProcessedPageCount());
|
||||||
|
System.out.printf("Total Number of outbound links = %d %n", stats.getTotalLinksCount());
|
||||||
|
|
||||||
|
imageController.waitUntilFinish();
|
||||||
|
System.out.printf("Image Crawler is finished.");
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,102 @@
|
||||||
|
package com.baeldung.okhttp;
|
||||||
|
|
||||||
|
import com.fasterxml.jackson.databind.ObjectMapper;
|
||||||
|
import com.google.gson.Gson;
|
||||||
|
import okhttp3.OkHttpClient;
|
||||||
|
import okhttp3.Request;
|
||||||
|
import okhttp3.ResponseBody;
|
||||||
|
import okhttp3.mockwebserver.MockResponse;
|
||||||
|
import okhttp3.mockwebserver.MockWebServer;
|
||||||
|
import org.junit.Assert;
|
||||||
|
import org.junit.Before;
|
||||||
|
import org.junit.Rule;
|
||||||
|
import org.junit.Test;
|
||||||
|
import org.junit.rules.ExpectedException;
|
||||||
|
|
||||||
|
import java.io.InputStreamReader;
|
||||||
|
|
||||||
|
public class ResponseDecoderUnitTest {
|
||||||
|
|
||||||
|
@Rule public ExpectedException exceptionRule = ExpectedException.none();
|
||||||
|
|
||||||
|
@Rule public MockWebServer server = new MockWebServer();
|
||||||
|
|
||||||
|
SimpleEntity sampleResponse;
|
||||||
|
|
||||||
|
MockResponse mockResponse;
|
||||||
|
|
||||||
|
OkHttpClient client;
|
||||||
|
|
||||||
|
@Before
|
||||||
|
public void setUp() {
|
||||||
|
sampleResponse = new SimpleEntity("Baeldung");
|
||||||
|
client = new OkHttpClient.Builder().build();
|
||||||
|
mockResponse = new MockResponse()
|
||||||
|
.setResponseCode(200)
|
||||||
|
.setHeader("Content-Type", "application/json")
|
||||||
|
.setBody(new Gson().toJson(sampleResponse));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenJacksonDecoder_whenGetStringOfResponse_thenExpectSimpleEntity() throws Exception {
|
||||||
|
server.enqueue(mockResponse);
|
||||||
|
Request request = new Request.Builder()
|
||||||
|
.url(server.url(""))
|
||||||
|
.build();
|
||||||
|
ResponseBody responseBody = client
|
||||||
|
.newCall(request)
|
||||||
|
.execute()
|
||||||
|
.body();
|
||||||
|
|
||||||
|
Assert.assertNotNull(responseBody);
|
||||||
|
Assert.assertNotEquals(0, responseBody.contentLength());
|
||||||
|
|
||||||
|
ObjectMapper objectMapper = new ObjectMapper();
|
||||||
|
SimpleEntity entity = objectMapper.readValue(responseBody.string(), SimpleEntity.class);
|
||||||
|
|
||||||
|
Assert.assertNotNull(entity);
|
||||||
|
Assert.assertEquals(sampleResponse.getName(), entity.getName());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenGsonDecoder_whenGetByteStreamOfResponse_thenExpectSimpleEntity() throws Exception {
|
||||||
|
server.enqueue(mockResponse);
|
||||||
|
Request request = new Request.Builder()
|
||||||
|
.url(server.url(""))
|
||||||
|
.build();
|
||||||
|
ResponseBody responseBody = client
|
||||||
|
.newCall(request)
|
||||||
|
.execute()
|
||||||
|
.body();
|
||||||
|
|
||||||
|
Assert.assertNotNull(responseBody);
|
||||||
|
Assert.assertNotEquals(0, responseBody.contentLength());
|
||||||
|
|
||||||
|
Gson gson = new Gson();
|
||||||
|
SimpleEntity entity = gson.fromJson(new InputStreamReader(responseBody.byteStream()), SimpleEntity.class);
|
||||||
|
|
||||||
|
Assert.assertNotNull(entity);
|
||||||
|
Assert.assertEquals(sampleResponse.getName(), entity.getName());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenGsonDecoder_whenGetStringOfResponse_thenExpectSimpleEntity() throws Exception {
|
||||||
|
server.enqueue(mockResponse);
|
||||||
|
Request request = new Request.Builder()
|
||||||
|
.url(server.url(""))
|
||||||
|
.build();
|
||||||
|
ResponseBody responseBody = client
|
||||||
|
.newCall(request)
|
||||||
|
.execute()
|
||||||
|
.body();
|
||||||
|
|
||||||
|
Assert.assertNotNull(responseBody);
|
||||||
|
|
||||||
|
Gson gson = new Gson();
|
||||||
|
SimpleEntity entity = gson.fromJson(responseBody.string(), SimpleEntity.class);
|
||||||
|
|
||||||
|
Assert.assertNotNull(entity);
|
||||||
|
Assert.assertEquals(sampleResponse.getName(), entity.getName());
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,22 @@
|
||||||
|
package com.baeldung.okhttp;
|
||||||
|
|
||||||
|
public class SimpleEntity {
|
||||||
|
protected String name;
|
||||||
|
|
||||||
|
public SimpleEntity(String name) {
|
||||||
|
this.name = name;
|
||||||
|
}
|
||||||
|
|
||||||
|
//no-arg constructor, getters and setters here
|
||||||
|
|
||||||
|
public SimpleEntity() {
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getName() {
|
||||||
|
return name;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setName(String name) {
|
||||||
|
this.name = name;
|
||||||
|
}
|
||||||
|
}
|
|
@ -78,7 +78,7 @@
|
||||||
|
|
||||||
<profiles>
|
<profiles>
|
||||||
<profile>
|
<profile>
|
||||||
<id>integration</id>
|
<id>integration-lite-first</id>
|
||||||
<build>
|
<build>
|
||||||
<plugins>
|
<plugins>
|
||||||
<plugin>
|
<plugin>
|
||||||
|
|
|
@ -23,7 +23,7 @@ public class MapAppenderIntegrationTest {
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void whenLoggerEmitsLoggingEvent_thenAppenderReceivesEvent() throws Exception {
|
public void whenLoggerEmitsLoggingEvent_thenAppenderReceivesEvent() throws Exception {
|
||||||
logger.info("Test from {}", this.getClass()
|
logger.error("Error log message from {}", this.getClass()
|
||||||
.getSimpleName());
|
.getSimpleName());
|
||||||
LoggerContext context = LoggerContext.getContext(false);
|
LoggerContext context = LoggerContext.getContext(false);
|
||||||
Configuration config = context.getConfiguration();
|
Configuration config = context.getConfiguration();
|
||||||
|
|
|
@ -12,7 +12,7 @@ import java.util.List;
|
||||||
|
|
||||||
import static org.assertj.core.api.Assertions.assertThat;
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
public class ArticleWithAuthorDAOIntegrationTest {
|
public class ArticleWithAuthorDAOLiveTest {
|
||||||
private Connection connection;
|
private Connection connection;
|
||||||
|
|
||||||
private ArticleWithAuthorDAO articleWithAuthorDAO;
|
private ArticleWithAuthorDAO articleWithAuthorDAO;
|
|
@ -5,9 +5,9 @@
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
<groupId>com.baeldung</groupId>
|
<groupId>com.baeldung</groupId>
|
||||||
<artifactId>parent-modules</artifactId>
|
<artifactId>persistence-modules</artifactId>
|
||||||
<version>1.0.0-SNAPSHOT</version>
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
<relativePath>../../</relativePath>
|
<relativePath>..</relativePath>
|
||||||
</parent>
|
</parent>
|
||||||
|
|
||||||
<artifactId>hibernate-mapping</artifactId>
|
<artifactId>hibernate-mapping</artifactId>
|
||||||
|
@ -37,16 +37,22 @@
|
||||||
<artifactId>hibernate-validator</artifactId>
|
<artifactId>hibernate-validator</artifactId>
|
||||||
<version>${hibernate-validator.version}</version>
|
<version>${hibernate-validator.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
|
||||||
<groupId>javax.el</groupId>
|
|
||||||
<artifactId>javax.el-api</artifactId>
|
|
||||||
<version>${javax.el-api.version}</version>
|
|
||||||
</dependency>
|
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.glassfish</groupId>
|
<groupId>org.glassfish</groupId>
|
||||||
<artifactId>javax.el</artifactId>
|
<artifactId>javax.el</artifactId>
|
||||||
<version>${org.glassfish.javax.el.version}</version>
|
<version>${org.glassfish.javax.el.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>javax.money</groupId>
|
||||||
|
<artifactId>money-api</artifactId>
|
||||||
|
<version>1.0.3</version>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.javamoney</groupId>
|
||||||
|
<artifactId>moneta</artifactId>
|
||||||
|
<version>1.3</version>
|
||||||
|
<type>pom</type>
|
||||||
|
</dependency>
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
|
@ -60,11 +66,10 @@
|
||||||
</build>
|
</build>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<hibernate.version>5.3.7.Final</hibernate.version>
|
<hibernate.version>5.3.10.Final</hibernate.version>
|
||||||
<assertj-core.version>3.8.0</assertj-core.version>
|
<assertj-core.version>3.8.0</assertj-core.version>
|
||||||
<hibernate-validator.version>5.3.3.Final</hibernate-validator.version>
|
<hibernate-validator.version>6.0.16.Final</hibernate-validator.version>
|
||||||
<javax.el-api.version>2.2.5</javax.el-api.version>
|
<org.glassfish.javax.el.version>3.0.1-b11</org.glassfish.javax.el.version>
|
||||||
<org.glassfish.javax.el.version>3.0.1-b08</org.glassfish.javax.el.version>
|
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
|
@ -4,8 +4,11 @@ import javax.persistence.Column;
|
||||||
import javax.persistence.Entity;
|
import javax.persistence.Entity;
|
||||||
import javax.persistence.Id;
|
import javax.persistence.Id;
|
||||||
import javax.validation.constraints.Size;
|
import javax.validation.constraints.Size;
|
||||||
|
import javax.money.MonetaryAmount;
|
||||||
|
|
||||||
import org.hibernate.validator.constraints.Length;
|
import org.hibernate.validator.constraints.Length;
|
||||||
|
import org.hibernate.validator.constraints.CreditCardNumber;
|
||||||
|
import org.hibernate.validator.constraints.Currency;
|
||||||
|
|
||||||
@Entity
|
@Entity
|
||||||
public class User {
|
public class User {
|
||||||
|
@ -62,5 +65,4 @@ public class User {
|
||||||
public void setCity(String city) {
|
public void setCity(String city) {
|
||||||
this.city = city;
|
this.city = city;
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -0,0 +1,290 @@
|
||||||
|
package com.baeldung.hibernate.validation;
|
||||||
|
|
||||||
|
import static org.junit.Assert.assertEquals;
|
||||||
|
import static org.junit.Assert.assertTrue;
|
||||||
|
|
||||||
|
import java.math.BigDecimal;
|
||||||
|
import java.time.Duration;
|
||||||
|
import java.util.Set;
|
||||||
|
|
||||||
|
import javax.money.CurrencyContextBuilder;
|
||||||
|
import javax.money.Monetary;
|
||||||
|
import javax.money.MonetaryAmount;
|
||||||
|
import javax.validation.ConstraintViolation;
|
||||||
|
import javax.validation.Validation;
|
||||||
|
import javax.validation.Validator;
|
||||||
|
import javax.validation.ValidatorFactory;
|
||||||
|
|
||||||
|
import org.hibernate.validator.constraints.CodePointLength;
|
||||||
|
import org.hibernate.validator.constraints.CreditCardNumber;
|
||||||
|
import org.hibernate.validator.constraints.Currency;
|
||||||
|
import org.hibernate.validator.constraints.Length;
|
||||||
|
import org.hibernate.validator.constraints.LuhnCheck;
|
||||||
|
import org.hibernate.validator.constraints.Range;
|
||||||
|
import org.hibernate.validator.constraints.SafeHtml;
|
||||||
|
import org.hibernate.validator.constraints.ScriptAssert;
|
||||||
|
import org.hibernate.validator.constraints.URL;
|
||||||
|
import org.hibernate.validator.constraints.time.DurationMax;
|
||||||
|
import org.hibernate.validator.constraints.time.DurationMin;
|
||||||
|
import org.javamoney.moneta.CurrencyUnitBuilder;
|
||||||
|
import org.javamoney.moneta.Money;
|
||||||
|
import org.junit.BeforeClass;
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class UserAdditionalValidationUnitTest {
|
||||||
|
|
||||||
|
private static Validator validator;
|
||||||
|
private Set<ConstraintViolation<AdditionalValidations>> constraintViolations;
|
||||||
|
|
||||||
|
@BeforeClass
|
||||||
|
public static void before() {
|
||||||
|
ValidatorFactory config = Validation.buildDefaultValidatorFactory();
|
||||||
|
validator = config.getValidator();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidationWithCCNAndNullCCN_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
constraintViolations = validator.validateProperty(validations, "creditCardNumber");
|
||||||
|
assertTrue(constraintViolations.isEmpty());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidationWithCCNAndValidCCN_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
validations.setCreditCardNumber("79927398713");
|
||||||
|
constraintViolations = validator.validateProperty(validations, "creditCardNumber");
|
||||||
|
assertTrue(constraintViolations.isEmpty());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidationWithCCNAndInvalidCCN_thenConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
validations.setCreditCardNumber("79927398714");
|
||||||
|
constraintViolations = validator.validateProperty(validations, "creditCardNumber");
|
||||||
|
assertEquals(constraintViolations.size(), 2);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidationWithCCNAndValidCCNWithDashes_thenConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
validations.setCreditCardNumber("7992-7398-713");
|
||||||
|
constraintViolations = validator.validateProperty(validations, "creditCardNumber");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidationWithLenientCCNAndValidCCNWithDashes_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
validations.setLenientCreditCardNumber("7992-7398-713");
|
||||||
|
constraintViolations = validator.validateProperty(validations, "lenientCreditCardNumber");
|
||||||
|
assertTrue(constraintViolations.isEmpty());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenMonetaryAmountWithRightCurrency_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setBalance(Money.of(new BigDecimal(100.0), Monetary.getCurrency("EUR")));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "balance");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenMonetaryAmountWithWrongCurrency_thenConstraintViolation() {
|
||||||
|
AdditionalValidations validations = new AdditionalValidations();
|
||||||
|
validations.setBalance(Money.of(new BigDecimal(100.0), Monetary.getCurrency("USD")));
|
||||||
|
constraintViolations = validator.validateProperty(validations, "balance");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDurationShorterThanMin_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setDuration(Duration.ofDays(1).plusHours(1));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "duration");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDurationLongerThanMax_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setDuration(Duration.ofDays(2).plusHours(3));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "duration");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDurationBetweenMinAndMax_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setDuration(Duration.ofDays(2));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "duration");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValueBelowRangeMin_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setPercent(new BigDecimal("-1.4"));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "percent");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValueAboveRangeMax_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setPercent(new BigDecimal("100.03"));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "percent");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValueInRange_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setPercent(new BigDecimal("53.23"));
|
||||||
|
constraintViolations = validator.validateProperty(bean, "percent");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenLengthInRange_thenNoConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setSomeString("aaa");
|
||||||
|
constraintViolations = validator.validateProperty(bean, "someString");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenCodePointLengthNotInRange_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
bean.setSomeString("aa\uD835\uDD0A");
|
||||||
|
constraintViolations = validator.validateProperty(bean, "someString");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenValidUrlWithWrongProtocol_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
|
||||||
|
bean.setUrl("https://www.google.com/");
|
||||||
|
constraintViolations = validator.validateProperty(bean, "url");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
|
||||||
|
bean.setUrl("http://www.google.com/");
|
||||||
|
constraintViolations = validator.validateProperty(bean, "url");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
|
||||||
|
bean.setUrl("https://foo:bar");
|
||||||
|
constraintViolations = validator.validateProperty(bean, "url");
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenScriptAssertFails_thenConstraintViolation() {
|
||||||
|
AdditionalValidations bean = new AdditionalValidations();
|
||||||
|
|
||||||
|
constraintViolations = validator.validate(bean);
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
|
||||||
|
bean.setValid(false);
|
||||||
|
|
||||||
|
constraintViolations = validator.validate(bean);
|
||||||
|
assertEquals(1, constraintViolations.size());
|
||||||
|
|
||||||
|
constraintViolations = validator.validateProperty(bean, "valid");
|
||||||
|
assertEquals(0, constraintViolations.size());
|
||||||
|
}
|
||||||
|
|
||||||
|
@ScriptAssert(lang = "nashorn", script = "_this.valid")
|
||||||
|
public class AdditionalValidations {
|
||||||
|
private boolean valid = true;
|
||||||
|
|
||||||
|
@CreditCardNumber
|
||||||
|
@LuhnCheck(startIndex = 0, endIndex = Integer.MAX_VALUE, checkDigitIndex = -1)
|
||||||
|
private String creditCardNumber;
|
||||||
|
|
||||||
|
@CreditCardNumber(ignoreNonDigitCharacters = true)
|
||||||
|
private String lenientCreditCardNumber;
|
||||||
|
|
||||||
|
@Currency("EUR")
|
||||||
|
private MonetaryAmount balance;
|
||||||
|
|
||||||
|
@DurationMin(days = 1, hours = 2)
|
||||||
|
@DurationMax(days = 2, hours = 1)
|
||||||
|
private Duration duration;
|
||||||
|
|
||||||
|
@Range(min = 0, max = 100)
|
||||||
|
private BigDecimal percent;
|
||||||
|
|
||||||
|
@Length(min = 1, max = 3)
|
||||||
|
@CodePointLength(min = 1, max = 3)
|
||||||
|
private String someString;
|
||||||
|
|
||||||
|
@URL(protocol = "https")
|
||||||
|
private String url;
|
||||||
|
|
||||||
|
public String getCreditCardNumber() {
|
||||||
|
return creditCardNumber;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setCreditCardNumber(String creditCardNumber) {
|
||||||
|
this.creditCardNumber = creditCardNumber;
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getLenientCreditCardNumber() {
|
||||||
|
return lenientCreditCardNumber;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setLenientCreditCardNumber(String lenientCreditCardNumber) {
|
||||||
|
this.lenientCreditCardNumber = lenientCreditCardNumber;
|
||||||
|
}
|
||||||
|
|
||||||
|
public MonetaryAmount getBalance() {
|
||||||
|
return balance;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setBalance(MonetaryAmount balance) {
|
||||||
|
this.balance = balance;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Duration getDuration() {
|
||||||
|
return duration;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setDuration(Duration duration) {
|
||||||
|
this.duration = duration;
|
||||||
|
}
|
||||||
|
|
||||||
|
public BigDecimal getPercent() {
|
||||||
|
return percent;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setPercent(BigDecimal percent) {
|
||||||
|
this.percent = percent;
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getSomeString() {
|
||||||
|
return someString;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setSomeString(String someString) {
|
||||||
|
this.someString = someString;
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getUrl() {
|
||||||
|
return url;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setUrl(String url) {
|
||||||
|
this.url = url;
|
||||||
|
}
|
||||||
|
|
||||||
|
public boolean isValid() {
|
||||||
|
return valid;
|
||||||
|
}
|
||||||
|
|
||||||
|
public void setValid(boolean valid) {
|
||||||
|
this.valid = valid;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
|
@ -122,14 +122,10 @@ public class DynamicMappingIntegrationTest {
|
||||||
Employee employee = session.get(Employee.class, 1);
|
Employee employee = session.get(Employee.class, 1);
|
||||||
assertThat(employee.getGrossIncome()).isEqualTo(10_000);
|
assertThat(employee.getGrossIncome()).isEqualTo(10_000);
|
||||||
|
|
||||||
session.close();
|
session.disableFilter("incomeLevelFilter");
|
||||||
|
|
||||||
session = HibernateUtil.getSessionFactory().openSession();
|
|
||||||
transaction = session.beginTransaction();
|
|
||||||
|
|
||||||
employees = session.createQuery("from Employee").getResultList();
|
employees = session.createQuery("from Employee").getResultList();
|
||||||
|
|
||||||
assertThat(employees).hasSize(0);
|
assertThat(employees).hasSize(3);
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -39,6 +39,7 @@
|
||||||
<!-- Cassandra -->
|
<!-- Cassandra -->
|
||||||
<cassandra-driver-core.version>3.1.2</cassandra-driver-core.version>
|
<cassandra-driver-core.version>3.1.2</cassandra-driver-core.version>
|
||||||
<cassandra-unit.version>3.1.1.0</cassandra-unit.version>
|
<cassandra-unit.version>3.1.1.0</cassandra-unit.version>
|
||||||
|
<guava.version>18.0</guava.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -8,6 +8,8 @@
|
||||||
- [Converting Between LocalDate and SQL Date](https://www.baeldung.com/java-convert-localdate-sql-date)
|
- [Converting Between LocalDate and SQL Date](https://www.baeldung.com/java-convert-localdate-sql-date)
|
||||||
- [Combining JPA And/Or Criteria Predicates](https://www.baeldung.com/jpa-and-or-criteria-predicates)
|
- [Combining JPA And/Or Criteria Predicates](https://www.baeldung.com/jpa-and-or-criteria-predicates)
|
||||||
- [Types of JPA Queries](https://www.baeldung.com/jpa-queries)
|
- [Types of JPA Queries](https://www.baeldung.com/jpa-queries)
|
||||||
|
- [JPA/Hibernate Projections](https://www.baeldung.com/jpa-hibernate-projections)
|
||||||
|
- [Composite Primary Keys in JPA](https://www.baeldung.com/jpa-composite-primary-keys)
|
||||||
- [Defining JPA Entities](https://www.baeldung.com/jpa-entities)
|
- [Defining JPA Entities](https://www.baeldung.com/jpa-entities)
|
||||||
- [JPA @Basic Annotation](https://www.baeldung.com/jpa-basic-annotation)
|
- [JPA @Basic Annotation](https://www.baeldung.com/jpa-basic-annotation)
|
||||||
- [Default Column Values in JPA](https://www.baeldung.com/jpa-default-column-values)
|
- [Default Column Values in JPA](https://www.baeldung.com/jpa-default-column-values)
|
||||||
|
|
|
@ -3,3 +3,4 @@
|
||||||
- [A Guide to MongoDB with Java](http://www.baeldung.com/java-mongodb)
|
- [A Guide to MongoDB with Java](http://www.baeldung.com/java-mongodb)
|
||||||
- [A Simple Tagging Implementation with MongoDB](http://www.baeldung.com/mongodb-tagging)
|
- [A Simple Tagging Implementation with MongoDB](http://www.baeldung.com/mongodb-tagging)
|
||||||
- [MongoDB BSON Guide](https://www.baeldung.com/mongodb-bson)
|
- [MongoDB BSON Guide](https://www.baeldung.com/mongodb-bson)
|
||||||
|
- [Geospatial Support in MongoDB](https://www.baeldung.com/mongodb-geospatial-support)
|
||||||
|
|
|
@ -1,7 +1,3 @@
|
||||||
=========
|
|
||||||
|
|
||||||
## Spring Data JPA Example Project
|
|
||||||
|
|
||||||
### Relevant Articles:
|
### Relevant Articles:
|
||||||
- [Spring Data JPA – Derived Delete Methods](https://www.baeldung.com/spring-data-jpa-deleteby)
|
- [Spring Data JPA – Derived Delete Methods](https://www.baeldung.com/spring-data-jpa-deleteby)
|
||||||
- [JPA Join Types](https://www.baeldung.com/jpa-join-types)
|
- [JPA Join Types](https://www.baeldung.com/jpa-join-types)
|
||||||
|
@ -15,3 +11,4 @@
|
||||||
- [Spring Data JPA and Named Entity Graphs](https://www.baeldung.com/spring-data-jpa-named-entity-graphs)
|
- [Spring Data JPA and Named Entity Graphs](https://www.baeldung.com/spring-data-jpa-named-entity-graphs)
|
||||||
- [Batch Insert/Update with Hibernate/JPA](https://www.baeldung.com/jpa-hibernate-batch-insert-update)
|
- [Batch Insert/Update with Hibernate/JPA](https://www.baeldung.com/jpa-hibernate-batch-insert-update)
|
||||||
- [Difference Between save() and saveAndFlush() in Spring Data JPA](https://www.baeldung.com/spring-data-jpa-save-saveandflush)
|
- [Difference Between save() and saveAndFlush() in Spring Data JPA](https://www.baeldung.com/spring-data-jpa-save-saveandflush)
|
||||||
|
- [Derived Query Methods in Spring Data JPA Repositories](https://www.baeldung.com/spring-data-derived-queries)
|
||||||
|
|
12
pom.xml
12
pom.xml
|
@ -123,6 +123,11 @@
|
||||||
</excludes>
|
</excludes>
|
||||||
</configuration>
|
</configuration>
|
||||||
<dependencies>
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.junit.platform</groupId>
|
||||||
|
<artifactId>junit-platform-surefire-provider</artifactId>
|
||||||
|
<version>${junit-platform.version}</version>
|
||||||
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.junit.jupiter</groupId>
|
<groupId>org.junit.jupiter</groupId>
|
||||||
<artifactId>junit-jupiter-engine</artifactId>
|
<artifactId>junit-jupiter-engine</artifactId>
|
||||||
|
@ -641,6 +646,7 @@
|
||||||
<module>spring-boot-ops-2</module>
|
<module>spring-boot-ops-2</module>
|
||||||
<module>spring-boot-rest</module>
|
<module>spring-boot-rest</module>
|
||||||
<module>spring-boot-data</module>
|
<module>spring-boot-data</module>
|
||||||
|
<module>spring-boot-parent</module>
|
||||||
<module>spring-boot-property-exp</module>
|
<module>spring-boot-property-exp</module>
|
||||||
<module>spring-boot-security</module>
|
<module>spring-boot-security</module>
|
||||||
<module>spring-boot-testing</module>
|
<module>spring-boot-testing</module>
|
||||||
|
@ -921,6 +927,7 @@
|
||||||
<module>spring-vault</module>
|
<module>spring-vault</module>
|
||||||
<module>spring-vertx</module>
|
<module>spring-vertx</module>
|
||||||
<module>spring-zuul/spring-zuul-foos-resource</module>
|
<module>spring-zuul/spring-zuul-foos-resource</module>
|
||||||
|
<module>persistence-modules/hibernate-mapping</module>
|
||||||
<module>persistence-modules/spring-data-dynamodb</module>
|
<module>persistence-modules/spring-data-dynamodb</module>
|
||||||
<module>persistence-modules/spring-data-eclipselink</module>
|
<module>persistence-modules/spring-data-eclipselink</module>
|
||||||
<module>persistence-modules/spring-data-solr</module>
|
<module>persistence-modules/spring-data-solr</module>
|
||||||
|
@ -1305,6 +1312,7 @@
|
||||||
<module>spring-boot-ops-2</module>
|
<module>spring-boot-ops-2</module>
|
||||||
<module>spring-boot-rest</module>
|
<module>spring-boot-rest</module>
|
||||||
<module>spring-boot-data</module>
|
<module>spring-boot-data</module>
|
||||||
|
<module>spring-boot-parent</module>
|
||||||
<module>spring-boot-property-exp</module>
|
<module>spring-boot-property-exp</module>
|
||||||
<module>spring-boot-security</module>
|
<module>spring-boot-security</module>
|
||||||
<module>spring-boot-vue</module>
|
<module>spring-boot-vue</module>
|
||||||
|
@ -1550,8 +1558,8 @@
|
||||||
<jstl.version>1.2</jstl.version>
|
<jstl.version>1.2</jstl.version>
|
||||||
<jackson.version>2.9.8</jackson.version>
|
<jackson.version>2.9.8</jackson.version>
|
||||||
<commons-fileupload.version>1.3</commons-fileupload.version>
|
<commons-fileupload.version>1.3</commons-fileupload.version>
|
||||||
<junit-platform.version>1.4.2</junit-platform.version>
|
<junit-platform.version>1.2.0</junit-platform.version>
|
||||||
<junit-jupiter.version>5.4.2</junit-jupiter.version>
|
<junit-jupiter.version>5.2.0</junit-jupiter.version>
|
||||||
<directory-maven-plugin.version>0.3.1</directory-maven-plugin.version>
|
<directory-maven-plugin.version>0.3.1</directory-maven-plugin.version>
|
||||||
<maven-install-plugin.version>2.5.1</maven-install-plugin.version>
|
<maven-install-plugin.version>2.5.1</maven-install-plugin.version>
|
||||||
<custom-pmd.version>0.0.1</custom-pmd.version>
|
<custom-pmd.version>0.0.1</custom-pmd.version>
|
||||||
|
|
|
@ -3,3 +3,4 @@
|
||||||
- [Spring Boot Reactor Netty Configuration](https://www.baeldung.com/spring-boot-reactor-netty)
|
- [Spring Boot Reactor Netty Configuration](https://www.baeldung.com/spring-boot-reactor-netty)
|
||||||
- [How to Return 404 with Spring WebFlux](https://www.baeldung.com/spring-webflux-404)
|
- [How to Return 404 with Spring WebFlux](https://www.baeldung.com/spring-webflux-404)
|
||||||
- [Spring WebClient Requests with Parameters](https://www.baeldung.com/webflux-webclient-parameters)
|
- [Spring WebClient Requests with Parameters](https://www.baeldung.com/webflux-webclient-parameters)
|
||||||
|
- [RSocket Using Spring Boot](https://www.baeldung.com/spring-boot-rsocket)
|
||||||
|
|
|
@ -0,0 +1,10 @@
|
||||||
|
package com.baeldung.autoconfiguration.service;
|
||||||
|
|
||||||
|
public class CustomService implements SimpleService {
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public String serve() {
|
||||||
|
return "Custom Service";
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,10 @@
|
||||||
|
package com.baeldung.autoconfiguration.service;
|
||||||
|
|
||||||
|
public class DefaultService implements SimpleService {
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public String serve() {
|
||||||
|
return "Default Service";
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,7 @@
|
||||||
|
package com.baeldung.autoconfiguration.service;
|
||||||
|
|
||||||
|
public interface SimpleService {
|
||||||
|
|
||||||
|
public String serve();
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,77 @@
|
||||||
|
package com.baeldung.autoconfiguration;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnBean;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingBean;
|
||||||
|
import org.springframework.boot.test.context.runner.ApplicationContextRunner;
|
||||||
|
import org.springframework.context.annotation.Bean;
|
||||||
|
import org.springframework.context.annotation.Configuration;
|
||||||
|
|
||||||
|
public class ConditionalOnBeanIntegrationTest {
|
||||||
|
|
||||||
|
private final ApplicationContextRunner contextRunner = new ApplicationContextRunner();
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentBeanIsPresent_thenConditionalBeanCreated() {
|
||||||
|
this.contextRunner.withUserConfiguration(BasicConfiguration.class, ConditionalOnBeanConfiguration.class)
|
||||||
|
.run((context) -> {
|
||||||
|
assertThat(context).hasBean("created");
|
||||||
|
assertThat(context).getBean("created")
|
||||||
|
.isEqualTo("This is always created");
|
||||||
|
assertThat(context).hasBean("createOnBean");
|
||||||
|
assertThat(context).getBean("createOnBean")
|
||||||
|
.isEqualTo("This is created when bean (name=created) is present");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentBeanIsPresent_thenConditionalMissingBeanIgnored() {
|
||||||
|
this.contextRunner.withUserConfiguration(BasicConfiguration.class, ConditionalOnMissingBeanConfiguration.class)
|
||||||
|
.run((context) -> {
|
||||||
|
assertThat(context).hasBean("created");
|
||||||
|
assertThat(context).getBean("created")
|
||||||
|
.isEqualTo("This is always created");
|
||||||
|
assertThat(context).doesNotHaveBean("createOnMissingBean");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentBeanIsNotPresent_thenConditionalMissingBeanCreated() {
|
||||||
|
this.contextRunner.withUserConfiguration(ConditionalOnMissingBeanConfiguration.class)
|
||||||
|
.run((context) -> {
|
||||||
|
assertThat(context).hasBean("createOnMissingBean");
|
||||||
|
assertThat(context).getBean("createOnMissingBean")
|
||||||
|
.isEqualTo("This is created when bean (name=created) is missing");
|
||||||
|
assertThat(context).doesNotHaveBean("created");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
protected static class BasicConfiguration {
|
||||||
|
@Bean
|
||||||
|
public String created() {
|
||||||
|
return "This is always created";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
@ConditionalOnBean(name = "created")
|
||||||
|
protected static class ConditionalOnBeanConfiguration {
|
||||||
|
@Bean
|
||||||
|
public String createOnBean() {
|
||||||
|
return "This is created when bean (name=created) is present";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
@ConditionalOnMissingBean(name = "created")
|
||||||
|
protected static class ConditionalOnMissingBeanConfiguration {
|
||||||
|
@Bean
|
||||||
|
public String createOnMissingBean() {
|
||||||
|
return "This is created when bean (name=created) is missing";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,76 @@
|
||||||
|
package com.baeldung.autoconfiguration;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnClass;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingClass;
|
||||||
|
import org.springframework.boot.test.context.FilteredClassLoader;
|
||||||
|
import org.springframework.boot.test.context.runner.ApplicationContextRunner;
|
||||||
|
import org.springframework.context.annotation.Bean;
|
||||||
|
import org.springframework.context.annotation.Configuration;
|
||||||
|
|
||||||
|
public class ConditionalOnClassIntegrationTest {
|
||||||
|
|
||||||
|
private final ApplicationContextRunner contextRunner = new ApplicationContextRunner();
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentClassIsPresent_thenBeanCreated() {
|
||||||
|
this.contextRunner.withUserConfiguration(ConditionalOnClassConfiguration.class)
|
||||||
|
.run(context -> {
|
||||||
|
assertThat(context).hasBean("created");
|
||||||
|
assertThat(context.getBean("created")).isEqualTo("This is created when ConditionalOnClassIntegrationTest is present on the classpath");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentClassIsPresent_thenBeanMissing() {
|
||||||
|
this.contextRunner.withUserConfiguration(ConditionalOnMissingClassConfiguration.class)
|
||||||
|
.run(context -> {
|
||||||
|
assertThat(context).doesNotHaveBean("missed");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentClassIsNotPresent_thenBeanMissing() {
|
||||||
|
this.contextRunner.withUserConfiguration(ConditionalOnClassConfiguration.class)
|
||||||
|
.withClassLoader(new FilteredClassLoader(ConditionalOnClassIntegrationTest.class))
|
||||||
|
.run((context) -> {
|
||||||
|
assertThat(context).doesNotHaveBean("created");
|
||||||
|
assertThat(context).doesNotHaveBean(ConditionalOnClassIntegrationTest.class);
|
||||||
|
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenDependentClassIsNotPresent_thenBeanCreated() {
|
||||||
|
this.contextRunner.withUserConfiguration(ConditionalOnMissingClassConfiguration.class)
|
||||||
|
.withClassLoader(new FilteredClassLoader(ConditionalOnClassIntegrationTest.class))
|
||||||
|
.run((context) -> {
|
||||||
|
assertThat(context).hasBean("missed");
|
||||||
|
assertThat(context).getBean("missed")
|
||||||
|
.isEqualTo("This is missed when ConditionalOnClassIntegrationTest is present on the classpath");
|
||||||
|
assertThat(context).doesNotHaveBean(ConditionalOnClassIntegrationTest.class);
|
||||||
|
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
@ConditionalOnClass(ConditionalOnClassIntegrationTest.class)
|
||||||
|
protected static class ConditionalOnClassConfiguration {
|
||||||
|
@Bean
|
||||||
|
public String created() {
|
||||||
|
return "This is created when ConditionalOnClassIntegrationTest is present on the classpath";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
@ConditionalOnMissingClass("com.baeldung.autoconfiguration.ConditionalOnClassIntegrationTest")
|
||||||
|
protected static class ConditionalOnMissingClassConfiguration {
|
||||||
|
@Bean
|
||||||
|
public String missed() {
|
||||||
|
return "This is missed when ConditionalOnClassIntegrationTest is present on the classpath";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,64 @@
|
||||||
|
package com.baeldung.autoconfiguration;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingBean;
|
||||||
|
import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty;
|
||||||
|
import org.springframework.boot.test.context.runner.ApplicationContextRunner;
|
||||||
|
import org.springframework.context.annotation.Bean;
|
||||||
|
import org.springframework.context.annotation.Configuration;
|
||||||
|
import org.springframework.test.context.TestPropertySource;
|
||||||
|
|
||||||
|
import com.baeldung.autoconfiguration.service.CustomService;
|
||||||
|
import com.baeldung.autoconfiguration.service.DefaultService;
|
||||||
|
import com.baeldung.autoconfiguration.service.SimpleService;
|
||||||
|
|
||||||
|
public class ConditionalOnPropertyIntegrationTest {
|
||||||
|
|
||||||
|
private final ApplicationContextRunner contextRunner = new ApplicationContextRunner();
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenGivenCustomPropertyValue_thenCustomServiceCreated() {
|
||||||
|
this.contextRunner.withPropertyValues("com.baeldung.service=custom")
|
||||||
|
.withUserConfiguration(SimpleServiceConfiguration.class)
|
||||||
|
.run(context -> {
|
||||||
|
assertThat(context).hasBean("customService");
|
||||||
|
SimpleService simpleService = context.getBean(CustomService.class);
|
||||||
|
assertThat(simpleService.serve()).isEqualTo("Custom Service");
|
||||||
|
assertThat(context).doesNotHaveBean("defaultService");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenGivenDefaultPropertyValue_thenDefaultServiceCreated() {
|
||||||
|
this.contextRunner.withPropertyValues("com.baeldung.service=default")
|
||||||
|
.withUserConfiguration(SimpleServiceConfiguration.class)
|
||||||
|
.run(context -> {
|
||||||
|
assertThat(context).hasBean("defaultService");
|
||||||
|
SimpleService simpleService = context.getBean(DefaultService.class);
|
||||||
|
assertThat(simpleService.serve()).isEqualTo("Default Service");
|
||||||
|
assertThat(context).doesNotHaveBean("customService");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
@TestPropertySource("classpath:ConditionalOnPropertyTest.properties")
|
||||||
|
protected static class SimpleServiceConfiguration {
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@ConditionalOnProperty(name = "com.baeldung.service", havingValue = "default")
|
||||||
|
@ConditionalOnMissingBean
|
||||||
|
public DefaultService defaultService() {
|
||||||
|
return new DefaultService();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@ConditionalOnProperty(name = "com.baeldung.service", havingValue = "custom")
|
||||||
|
@ConditionalOnMissingBean
|
||||||
|
public CustomService customService() {
|
||||||
|
return new CustomService();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1 @@
|
||||||
|
com.baeldung.service=custom
|
|
@ -38,12 +38,12 @@
|
||||||
</sequenceFlow>
|
</sequenceFlow>
|
||||||
<serviceTask id="tutorialApproved"
|
<serviceTask id="tutorialApproved"
|
||||||
name="Publish the approved tutorial."
|
name="Publish the approved tutorial."
|
||||||
flowable:class="com.sapient.learning.service.PublishArticleService" />
|
flowable:class="com.baeldung.service.PublishArticleService" />
|
||||||
<sequenceFlow sourceRef="tutorialApproved"
|
<sequenceFlow sourceRef="tutorialApproved"
|
||||||
targetRef="end" />
|
targetRef="end" />
|
||||||
<serviceTask id="tutorialRejected"
|
<serviceTask id="tutorialRejected"
|
||||||
name="Send out rejection email"
|
name="Send out rejection email"
|
||||||
flowable:class="com.sapient.learning.service.SendMailService" />
|
flowable:class="com.baeldung.service.SendMailService" />
|
||||||
<sequenceFlow sourceRef="tutorialRejected"
|
<sequenceFlow sourceRef="tutorialRejected"
|
||||||
targetRef="end" />
|
targetRef="end" />
|
||||||
<endEvent id="end" />
|
<endEvent id="end" />
|
||||||
|
|
|
@ -13,11 +13,11 @@ import org.flowable.task.api.Task;
|
||||||
import org.junit.jupiter.api.Test;
|
import org.junit.jupiter.api.Test;
|
||||||
import org.junit.jupiter.api.extension.ExtendWith;
|
import org.junit.jupiter.api.extension.ExtendWith;
|
||||||
import org.springframework.beans.factory.annotation.Autowired;
|
import org.springframework.beans.factory.annotation.Autowired;
|
||||||
import org.springframework.test.context.junit.jupiter.SpringExtension;
|
import org.springframework.boot.test.context.SpringBootTest;
|
||||||
|
|
||||||
@ExtendWith(FlowableSpringExtension.class)
|
@ExtendWith(FlowableSpringExtension.class)
|
||||||
@ExtendWith(SpringExtension.class)
|
@SpringBootTest
|
||||||
public class ArticleWorkflowUnitTest {
|
public class ArticleWorkflowIntegrationTest {
|
||||||
@Autowired
|
@Autowired
|
||||||
private RuntimeService runtimeService;
|
private RuntimeService runtimeService;
|
||||||
@Autowired
|
@Autowired
|
|
@ -1,3 +1,4 @@
|
||||||
### Relevant Articles
|
### Relevant Articles
|
||||||
|
|
||||||
- [How to Configure Spring Boot Tomcat](https://www.baeldung.com/spring-boot-configure-tomcat)
|
- [How to Configure Spring Boot Tomcat](https://www.baeldung.com/spring-boot-configure-tomcat)
|
||||||
|
- [Spring Boot Embedded Tomcat Logs](https://www.baeldung.com/spring-boot-embedded-tomcat-logs)
|
||||||
|
|
|
@ -0,0 +1,26 @@
|
||||||
|
<?xml version="1.0" encoding="UTF-8"?>
|
||||||
|
<project xmlns="http://maven.apache.org/POM/4.0.0"
|
||||||
|
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||||
|
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
|
||||||
|
|
||||||
|
<modelVersion>4.0.0</modelVersion>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
|
<artifactId>spring-boot-parent</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
<name>spring-boot-parent</name>
|
||||||
|
<description>spring-boot-parent</description>
|
||||||
|
<packaging>pom</packaging>
|
||||||
|
|
||||||
|
<parent>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
|
<artifactId>parent-modules</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
<relativePath>..</relativePath>
|
||||||
|
</parent>
|
||||||
|
|
||||||
|
<modules>
|
||||||
|
<module>spring-boot-with-starter-parent</module>
|
||||||
|
<module>spring-boot-with-custom-parent</module>
|
||||||
|
</modules>
|
||||||
|
|
||||||
|
</project>
|
|
@ -0,0 +1,41 @@
|
||||||
|
<?xml version="1.0" encoding="UTF-8"?>
|
||||||
|
<project xmlns="http://maven.apache.org/POM/4.0.0"
|
||||||
|
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||||
|
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
|
||||||
|
|
||||||
|
<modelVersion>4.0.0</modelVersion>
|
||||||
|
<artifactId>spring-boot-with-custom-parent</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
<name>spring-boot-with-custom-parent</name>
|
||||||
|
|
||||||
|
<parent>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
|
<artifactId>spring-boot-parent</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
</parent>
|
||||||
|
|
||||||
|
<dependencyManagement>
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
<artifactId>spring-boot-dependencies</artifactId>
|
||||||
|
<version>${spring-boot.version}</version>
|
||||||
|
<type>pom</type>
|
||||||
|
<scope>import</scope>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
</dependencyManagement>
|
||||||
|
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
<artifactId>spring-boot-starter-web</artifactId>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
|
||||||
|
<properties>
|
||||||
|
<java.version>1.8</java.version>
|
||||||
|
<spring-boot.version>2.1.5.RELEASE</spring-boot.version>
|
||||||
|
</properties>
|
||||||
|
|
||||||
|
</project>
|
|
@ -0,0 +1,13 @@
|
||||||
|
package com.baeldung.customparent;
|
||||||
|
|
||||||
|
import org.springframework.boot.SpringApplication;
|
||||||
|
import org.springframework.boot.autoconfigure.SpringBootApplication;
|
||||||
|
|
||||||
|
@SpringBootApplication
|
||||||
|
public class SpringBootStarterCustomParentApplication {
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
SpringApplication.run(SpringBootStarterCustomParentApplication.class, args);
|
||||||
|
System.out.println("Spring boot application running without starter parent");
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,45 @@
|
||||||
|
<?xml version="1.0" encoding="UTF-8"?>
|
||||||
|
<project xmlns="http://maven.apache.org/POM/4.0.0"
|
||||||
|
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
||||||
|
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
|
||||||
|
|
||||||
|
<modelVersion>4.0.0</modelVersion>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
|
<artifactId>spring-boot-with-starter-parent</artifactId>
|
||||||
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
|
<name>spring-boot-with-starter-parent</name>
|
||||||
|
|
||||||
|
<parent>
|
||||||
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
<artifactId>spring-boot-starter-parent</artifactId>
|
||||||
|
<version>2.1.5.RELEASE</version>
|
||||||
|
<!-- lookup parent from repository -->
|
||||||
|
</parent>
|
||||||
|
|
||||||
|
<dependencyManagement>
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
<artifactId>spring-boot-starter-data-jpa</artifactId>
|
||||||
|
<version>2.1.1.RELEASE</version>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
</dependencyManagement>
|
||||||
|
|
||||||
|
<dependencies>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
<artifactId>spring-boot-starter-web</artifactId>
|
||||||
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>junit</groupId>
|
||||||
|
<artifactId>junit</artifactId>
|
||||||
|
</dependency>
|
||||||
|
</dependencies>
|
||||||
|
|
||||||
|
<properties>
|
||||||
|
<java.version>1.8</java.version>
|
||||||
|
<junit.version>4.11</junit.version>
|
||||||
|
</properties>
|
||||||
|
|
||||||
|
</project>
|
|
@ -0,0 +1,14 @@
|
||||||
|
package com.baeldung.starterparent;
|
||||||
|
|
||||||
|
import org.springframework.boot.SpringApplication;
|
||||||
|
import org.springframework.boot.autoconfigure.SpringBootApplication;
|
||||||
|
|
||||||
|
@SpringBootApplication
|
||||||
|
public class SpringBootStarterParentApplication {
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
SpringApplication.run(SpringBootStarterParentApplication.class, args);
|
||||||
|
System.out.println("Spring boot application running with starter parent");
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -24,7 +24,7 @@
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.cloud</groupId>
|
<groupId>org.springframework.cloud</groupId>
|
||||||
<artifactId>spring-cloud-starter-zuul</artifactId>
|
<artifactId>spring-cloud-starter-netflix-zuul</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.boot</groupId>
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
@ -34,14 +34,16 @@
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.webjars</groupId>
|
<groupId>org.webjars</groupId>
|
||||||
<artifactId>jquery</artifactId>
|
<artifactId>jquery</artifactId>
|
||||||
|
<version>${jquery.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.webjars</groupId>
|
<groupId>org.webjars</groupId>
|
||||||
<artifactId>bootstrap</artifactId>
|
<artifactId>bootstrap</artifactId>
|
||||||
|
<version>${bootstrap.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.webjars</groupId>
|
<groupId>org.webjars</groupId>
|
||||||
<artifactId>webjars-locator</artifactId>
|
<artifactId>webjars-locator-core</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.boot</groupId>
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
@ -62,8 +64,8 @@
|
||||||
<artifactId>spring-boot-starter-thymeleaf</artifactId>
|
<artifactId>spring-boot-starter-thymeleaf</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.security.oauth</groupId>
|
<groupId>org.springframework.security.oauth.boot</groupId>
|
||||||
<artifactId>spring-security-oauth2</artifactId>
|
<artifactId>spring-security-oauth2-autoconfigure</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
|
@ -89,8 +91,10 @@
|
||||||
</dependencyManagement>
|
</dependencyManagement>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<js-cookie.version>2.1.0</js-cookie.version>
|
<js-cookie.version>2.2.0</js-cookie.version>
|
||||||
<spring-cloud.version>Dalston.SR4</spring-cloud.version>
|
<spring-cloud.version>Greenwich.SR1</spring-cloud.version>
|
||||||
|
<jquery.version>3.4.1</jquery.version>
|
||||||
|
<bootstrap.version>4.3.1</bootstrap.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -2,7 +2,8 @@
|
||||||
# These are default settings, but we add them for clarity.
|
# These are default settings, but we add them for clarity.
|
||||||
server:
|
server:
|
||||||
port: 8080
|
port: 8080
|
||||||
contextPath: /
|
servlet:
|
||||||
|
context-path: /
|
||||||
|
|
||||||
# Configure the Authorization Server and User Info Resource Server details
|
# Configure the Authorization Server and User Info Resource Server details
|
||||||
security:
|
security:
|
||||||
|
@ -21,6 +22,7 @@ person:
|
||||||
# Proxies the calls to http://localhost:8080/api/* to our REST service at http://localhost:8081/*
|
# Proxies the calls to http://localhost:8080/api/* to our REST service at http://localhost:8081/*
|
||||||
# and automatically includes our OAuth2 token in the request headers
|
# and automatically includes our OAuth2 token in the request headers
|
||||||
zuul:
|
zuul:
|
||||||
|
sensitiveHeaders: Cookie,Set-Cookie
|
||||||
routes:
|
routes:
|
||||||
resource:
|
resource:
|
||||||
path: /api/**
|
path: /api/**
|
||||||
|
|
|
@ -19,8 +19,8 @@
|
||||||
<artifactId>spring-boot-starter-web</artifactId>
|
<artifactId>spring-boot-starter-web</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.security.oauth</groupId>
|
<groupId>org.springframework.security.oauth.boot</groupId>
|
||||||
<artifactId>spring-security-oauth2</artifactId>
|
<artifactId>spring-security-oauth2-autoconfigure</artifactId>
|
||||||
</dependency>
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.boot</groupId>
|
<groupId>org.springframework.boot</groupId>
|
||||||
|
@ -30,6 +30,7 @@
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.security</groupId>
|
<groupId>org.springframework.security</groupId>
|
||||||
<artifactId>spring-security-jwt</artifactId>
|
<artifactId>spring-security-jwt</artifactId>
|
||||||
|
<version>${spring-jwt.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
|
@ -55,7 +56,8 @@
|
||||||
</build>
|
</build>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<spring-cloud.version>Edgware.RELEASE</spring-cloud.version>
|
<spring-cloud.version>Greenwich.SR1</spring-cloud.version>
|
||||||
|
<spring-jwt.version>1.0.10.RELEASE</spring-jwt.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -3,7 +3,7 @@ package com.baeldung.config;
|
||||||
import org.springframework.context.annotation.Configuration;
|
import org.springframework.context.annotation.Configuration;
|
||||||
import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
|
import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
|
||||||
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
|
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
|
||||||
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
|
import org.springframework.security.config.http.SessionCreationPolicy;
|
||||||
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableResourceServer;
|
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableResourceServer;
|
||||||
import org.springframework.security.oauth2.config.annotation.web.configuration.ResourceServerConfigurerAdapter;
|
import org.springframework.security.oauth2.config.annotation.web.configuration.ResourceServerConfigurerAdapter;
|
||||||
|
|
||||||
|
@ -11,15 +11,18 @@ import org.springframework.security.oauth2.config.annotation.web.configuration.R
|
||||||
* REST API Resource Server.
|
* REST API Resource Server.
|
||||||
*/
|
*/
|
||||||
@Configuration
|
@Configuration
|
||||||
@EnableWebSecurity
|
|
||||||
@EnableResourceServer
|
@EnableResourceServer
|
||||||
@EnableGlobalMethodSecurity(prePostEnabled = true) // Allow method annotations like @PreAuthorize
|
@EnableGlobalMethodSecurity(prePostEnabled = true) // Allow method annotations like @PreAuthorize
|
||||||
public class ResourceConfigurer extends ResourceServerConfigurerAdapter {
|
public class ResourceConfigurer extends ResourceServerConfigurerAdapter {
|
||||||
|
|
||||||
@Override
|
@Override
|
||||||
public void configure(HttpSecurity http) throws Exception {
|
public void configure(HttpSecurity http) throws Exception {
|
||||||
http.httpBasic().disable();
|
http.sessionManagement()
|
||||||
http.authorizeRequests().anyRequest().authenticated();
|
.sessionCreationPolicy(SessionCreationPolicy.NEVER)
|
||||||
|
.and()
|
||||||
|
.authorizeRequests()
|
||||||
|
.anyRequest().authenticated();
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -5,7 +5,6 @@ server:
|
||||||
|
|
||||||
# Configure the public key to use for verifying the incoming JWT tokens
|
# Configure the public key to use for verifying the incoming JWT tokens
|
||||||
security:
|
security:
|
||||||
sessions: NEVER
|
|
||||||
oauth2:
|
oauth2:
|
||||||
resource:
|
resource:
|
||||||
jwt:
|
jwt:
|
||||||
|
|
|
@ -38,7 +38,7 @@
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<spring-cloud-starter-oauth2.version>1.1.2.RELEASE</spring-cloud-starter-oauth2.version>
|
<spring-cloud-starter-oauth2.version>2.1.2.RELEASE</spring-cloud-starter-oauth2.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
|
@ -9,6 +9,7 @@ import org.springframework.context.annotation.Configuration;
|
||||||
import org.springframework.core.annotation.Order;
|
import org.springframework.core.annotation.Order;
|
||||||
import org.springframework.core.io.Resource;
|
import org.springframework.core.io.Resource;
|
||||||
import org.springframework.security.core.userdetails.UserDetailsService;
|
import org.springframework.security.core.userdetails.UserDetailsService;
|
||||||
|
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
|
||||||
import org.springframework.security.oauth2.config.annotation.configurers.ClientDetailsServiceConfigurer;
|
import org.springframework.security.oauth2.config.annotation.configurers.ClientDetailsServiceConfigurer;
|
||||||
import org.springframework.security.oauth2.config.annotation.web.configuration.AuthorizationServerConfigurerAdapter;
|
import org.springframework.security.oauth2.config.annotation.web.configuration.AuthorizationServerConfigurerAdapter;
|
||||||
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableAuthorizationServer;
|
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableAuthorizationServer;
|
||||||
|
@ -19,9 +20,7 @@ import org.springframework.security.oauth2.provider.token.store.KeyStoreKeyFacto
|
||||||
@Configuration
|
@Configuration
|
||||||
@EnableAuthorizationServer
|
@EnableAuthorizationServer
|
||||||
@Order(6)
|
@Order(6)
|
||||||
public class AuthServerConfigurer
|
public class AuthServerConfigurer extends AuthorizationServerConfigurerAdapter {
|
||||||
extends
|
|
||||||
AuthorizationServerConfigurerAdapter {
|
|
||||||
|
|
||||||
@Value("${jwt.certificate.store.file}")
|
@Value("${jwt.certificate.store.file}")
|
||||||
private Resource keystore;
|
private Resource keystore;
|
||||||
|
@ -38,6 +37,9 @@ public class AuthServerConfigurer
|
||||||
@Autowired
|
@Autowired
|
||||||
private UserDetailsService userDetailsService;
|
private UserDetailsService userDetailsService;
|
||||||
|
|
||||||
|
@Autowired
|
||||||
|
private BCryptPasswordEncoder passwordEncoder;
|
||||||
|
|
||||||
@Override
|
@Override
|
||||||
public void configure(
|
public void configure(
|
||||||
ClientDetailsServiceConfigurer clients)
|
ClientDetailsServiceConfigurer clients)
|
||||||
|
@ -45,8 +47,8 @@ public class AuthServerConfigurer
|
||||||
clients
|
clients
|
||||||
.inMemory()
|
.inMemory()
|
||||||
.withClient("authserver")
|
.withClient("authserver")
|
||||||
.secret("passwordforauthserver")
|
.secret(passwordEncoder.encode("passwordforauthserver"))
|
||||||
.redirectUris("http://localhost:8080/")
|
.redirectUris("http://localhost:8080/login")
|
||||||
.authorizedGrantTypes("authorization_code",
|
.authorizedGrantTypes("authorization_code",
|
||||||
"refresh_token")
|
"refresh_token")
|
||||||
.scopes("myscope")
|
.scopes("myscope")
|
||||||
|
|
|
@ -2,10 +2,10 @@ package com.baeldung.config;
|
||||||
|
|
||||||
import org.springframework.context.annotation.Configuration;
|
import org.springframework.context.annotation.Configuration;
|
||||||
import org.springframework.web.servlet.config.annotation.ViewControllerRegistry;
|
import org.springframework.web.servlet.config.annotation.ViewControllerRegistry;
|
||||||
import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;
|
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
|
||||||
|
|
||||||
@Configuration
|
@Configuration
|
||||||
public class WebMvcConfigurer extends WebMvcConfigurerAdapter {
|
public class WebMvcConfig implements WebMvcConfigurer {
|
||||||
|
|
||||||
@Override
|
@Override
|
||||||
public void addViewControllers(ViewControllerRegistry registry) {
|
public void addViewControllers(ViewControllerRegistry registry) {
|
|
@ -6,8 +6,8 @@ import org.springframework.security.config.annotation.authentication.builders.Au
|
||||||
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
|
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
|
||||||
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
|
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
|
||||||
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
|
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
|
||||||
|
|
||||||
import org.springframework.security.core.userdetails.UserDetailsService;
|
import org.springframework.security.core.userdetails.UserDetailsService;
|
||||||
|
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
|
||||||
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableOAuth2Client;
|
import org.springframework.security.oauth2.config.annotation.web.configuration.EnableOAuth2Client;
|
||||||
|
|
||||||
@Configuration
|
@Configuration
|
||||||
|
@ -34,7 +34,7 @@ public class WebSecurityConfigurer
|
||||||
AuthenticationManagerBuilder auth) throws Exception {
|
AuthenticationManagerBuilder auth) throws Exception {
|
||||||
auth
|
auth
|
||||||
.inMemoryAuthentication()
|
.inMemoryAuthentication()
|
||||||
.withUser("user").password("user")
|
.withUser("user").password(passwordEncoder().encode("user"))
|
||||||
.roles("USER")
|
.roles("USER")
|
||||||
.and()
|
.and()
|
||||||
.withUser("admin").password("admin")
|
.withUser("admin").password("admin")
|
||||||
|
@ -48,5 +48,9 @@ public class WebSecurityConfigurer
|
||||||
return super.userDetailsServiceBean();
|
return super.userDetailsServiceBean();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
public BCryptPasswordEncoder passwordEncoder() {
|
||||||
|
return new BCryptPasswordEncoder();
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,7 +1,8 @@
|
||||||
# Make the application available at http://localhost:7070/authserver
|
# Make the application available at http://localhost:7070/authserver
|
||||||
server:
|
server:
|
||||||
port: 7070
|
port: 7070
|
||||||
contextPath: /authserver
|
servlet:
|
||||||
|
context-path: /authserver
|
||||||
|
|
||||||
# Our certificate settings for enabling JWT tokens
|
# Our certificate settings for enabling JWT tokens
|
||||||
jwt:
|
jwt:
|
||||||
|
@ -12,10 +13,3 @@ jwt:
|
||||||
key:
|
key:
|
||||||
alias: myauthkey
|
alias: myauthkey
|
||||||
password: abirkhan04
|
password: abirkhan04
|
||||||
|
|
||||||
|
|
||||||
security:
|
|
||||||
oauth2:
|
|
||||||
resource:
|
|
||||||
filter-order: 3
|
|
||||||
|
|
|
@ -8,10 +8,10 @@
|
||||||
<packaging>pom</packaging>
|
<packaging>pom</packaging>
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
<artifactId>parent-boot-1</artifactId>
|
<artifactId>parent-boot-2</artifactId>
|
||||||
<groupId>com.baeldung</groupId>
|
<groupId>com.baeldung</groupId>
|
||||||
<version>0.0.1-SNAPSHOT</version>
|
<version>0.0.1-SNAPSHOT</version>
|
||||||
<relativePath>../../parent-boot-1</relativePath>
|
<relativePath>../../parent-boot-2</relativePath>
|
||||||
</parent>
|
</parent>
|
||||||
|
|
||||||
<modules>
|
<modules>
|
||||||
|
|
|
@ -8,3 +8,4 @@ The "REST With Spring" Classes: http://github.learnspringsecurity.com
|
||||||
### Relevant Articles:
|
### Relevant Articles:
|
||||||
- [Spring Security Authentication Provider](http://www.baeldung.com/spring-security-authentication-provider)
|
- [Spring Security Authentication Provider](http://www.baeldung.com/spring-security-authentication-provider)
|
||||||
- [Retrieve User Information in Spring Security](http://www.baeldung.com/get-user-in-spring-security)
|
- [Retrieve User Information in Spring Security](http://www.baeldung.com/get-user-in-spring-security)
|
||||||
|
- [Spring Security – Run-As Authentication](https://www.baeldung.com/spring-security-run-as-auth)
|
||||||
|
|
|
@ -1,43 +0,0 @@
|
||||||
package com.baeldung.springsessionmongodb;
|
|
||||||
|
|
||||||
import org.junit.Assert;
|
|
||||||
import org.junit.Test;
|
|
||||||
import org.junit.runner.RunWith;
|
|
||||||
import org.springframework.beans.factory.annotation.Autowired;
|
|
||||||
import org.springframework.boot.test.context.SpringBootTest;
|
|
||||||
import org.springframework.boot.test.web.client.TestRestTemplate;
|
|
||||||
import org.springframework.http.HttpEntity;
|
|
||||||
import org.springframework.http.HttpHeaders;
|
|
||||||
import org.springframework.http.HttpMethod;
|
|
||||||
import org.springframework.session.data.mongo.MongoOperationsSessionRepository;
|
|
||||||
import org.springframework.test.context.junit4.SpringRunner;
|
|
||||||
import springsessionmongodb.SpringSessionMongoDBApplication;
|
|
||||||
|
|
||||||
import java.util.Base64;
|
|
||||||
|
|
||||||
|
|
||||||
@RunWith(SpringRunner.class)
|
|
||||||
@SpringBootTest(classes = SpringSessionMongoDBApplication.class, webEnvironment = SpringBootTest.WebEnvironment.DEFINED_PORT)
|
|
||||||
public class SpringSessionMongoDBIntegrationTest {
|
|
||||||
|
|
||||||
@Autowired
|
|
||||||
private MongoOperationsSessionRepository repository;
|
|
||||||
|
|
||||||
private TestRestTemplate restTemplate = new TestRestTemplate();
|
|
||||||
|
|
||||||
@Test
|
|
||||||
public void givenEndpointIsCalledTwiceAndResponseIsReturned_whenMongoDBIsQueriedForCount_thenCountMustBeSame() {
|
|
||||||
HttpEntity<String> response = restTemplate.
|
|
||||||
exchange("http://localhost:" + 8080, HttpMethod.GET, null, String.class);
|
|
||||||
HttpHeaders headers = response.getHeaders();
|
|
||||||
String set_cookie = headers.getFirst(HttpHeaders.SET_COOKIE);
|
|
||||||
|
|
||||||
Assert.assertEquals(response.getBody(),
|
|
||||||
repository.findById(getSessionId(set_cookie)).getAttribute("count").toString());
|
|
||||||
}
|
|
||||||
|
|
||||||
private String getSessionId(String set_cookie) {
|
|
||||||
return new String(Base64.getDecoder().decode(set_cookie.split(";")[0].split("=")[1]));
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
|
@ -32,6 +32,7 @@
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.springframework.boot</groupId>
|
<groupId>org.springframework.boot</groupId>
|
||||||
<artifactId>spring-boot-starter-data-mongodb</artifactId>
|
<artifactId>spring-boot-starter-data-mongodb</artifactId>
|
||||||
|
<version>${spring-boot-starter-data-mongodb.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
|
||||||
<dependency>
|
<dependency>
|
||||||
|
@ -43,6 +44,7 @@
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<spring-session-data-mongodb.version>2.1.3.RELEASE</spring-session-data-mongodb.version>
|
<spring-session-data-mongodb.version>2.1.3.RELEASE</spring-session-data-mongodb.version>
|
||||||
|
<spring-boot-starter-data-mongodb.version>2.1.5.RELEASE</spring-boot-starter-data-mongodb.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
|
|
|
@ -1,11 +1,11 @@
|
||||||
package com.baeldung.springsessionmongodb.controller;
|
package com.baeldung.springsessionmongodb.controller;
|
||||||
|
|
||||||
import javax.servlet.http.HttpSession;
|
|
||||||
|
|
||||||
import org.springframework.http.ResponseEntity;
|
import org.springframework.http.ResponseEntity;
|
||||||
import org.springframework.web.bind.annotation.GetMapping;
|
import org.springframework.web.bind.annotation.GetMapping;
|
||||||
import org.springframework.web.bind.annotation.RestController;
|
import org.springframework.web.bind.annotation.RestController;
|
||||||
|
|
||||||
|
import javax.servlet.http.HttpSession;
|
||||||
|
|
||||||
@RestController
|
@RestController
|
||||||
public class SpringSessionMongoDBController {
|
public class SpringSessionMongoDBController {
|
||||||
|
|
||||||
|
@ -17,7 +17,7 @@ public class SpringSessionMongoDBController {
|
||||||
if (counter == null) {
|
if (counter == null) {
|
||||||
counter = 1;
|
counter = 1;
|
||||||
} else {
|
} else {
|
||||||
counter += 1;
|
counter++;
|
||||||
}
|
}
|
||||||
|
|
||||||
session.setAttribute("count", counter);
|
session.setAttribute("count", counter);
|
||||||
|
|
|
@ -1,7 +1,5 @@
|
||||||
package com.baeldung.springsessionmongodb;
|
package com.baeldung.springsessionmongodb;
|
||||||
|
|
||||||
import java.util.Base64;
|
|
||||||
|
|
||||||
import org.junit.Assert;
|
import org.junit.Assert;
|
||||||
import org.junit.Test;
|
import org.junit.Test;
|
||||||
import org.junit.runner.RunWith;
|
import org.junit.runner.RunWith;
|
||||||
|
@ -14,6 +12,8 @@ import org.springframework.http.HttpMethod;
|
||||||
import org.springframework.session.data.mongo.MongoOperationsSessionRepository;
|
import org.springframework.session.data.mongo.MongoOperationsSessionRepository;
|
||||||
import org.springframework.test.context.junit4.SpringRunner;
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
|
import java.util.Base64;
|
||||||
|
|
||||||
|
|
||||||
@RunWith(SpringRunner.class)
|
@RunWith(SpringRunner.class)
|
||||||
@SpringBootTest(classes = SpringSessionMongoDBApplication.class, webEnvironment = SpringBootTest.WebEnvironment.DEFINED_PORT)
|
@SpringBootTest(classes = SpringSessionMongoDBApplication.class, webEnvironment = SpringBootTest.WebEnvironment.DEFINED_PORT)
|
||||||
|
@ -26,8 +26,8 @@ public class SpringSessionMongoDBIntegrationTest {
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void givenEndpointIsCalledTwiceAndResponseIsReturned_whenMongoDBIsQueriedForCount_thenCountMustBeSame() {
|
public void givenEndpointIsCalledTwiceAndResponseIsReturned_whenMongoDBIsQueriedForCount_thenCountMustBeSame() {
|
||||||
HttpEntity<String> response = restTemplate.
|
HttpEntity<String> response = restTemplate
|
||||||
exchange("http://localhost:" + 8080, HttpMethod.GET, null, String.class);
|
.exchange("http://localhost:" + 8080, HttpMethod.GET, null, String.class);
|
||||||
HttpHeaders headers = response.getHeaders();
|
HttpHeaders headers = response.getHeaders();
|
||||||
String set_cookie = headers.getFirst(HttpHeaders.SET_COOKIE);
|
String set_cookie = headers.getFirst(HttpHeaders.SET_COOKIE);
|
||||||
|
|
||||||
|
|
|
@ -1,12 +1,11 @@
|
||||||
package org.baeldung;
|
package org.baeldung;
|
||||||
|
|
||||||
|
import com.baeldung.springsessionmongodb.SpringSessionMongoDBApplication;
|
||||||
import org.junit.Test;
|
import org.junit.Test;
|
||||||
import org.junit.runner.RunWith;
|
import org.junit.runner.RunWith;
|
||||||
import org.springframework.boot.test.context.SpringBootTest;
|
import org.springframework.boot.test.context.SpringBootTest;
|
||||||
import org.springframework.test.context.junit4.SpringRunner;
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
import com.baeldung.springsessionmongodb.SpringSessionMongoDBApplication;
|
|
||||||
|
|
||||||
@RunWith(SpringRunner.class)
|
@RunWith(SpringRunner.class)
|
||||||
@SpringBootTest(classes = SpringSessionMongoDBApplication.class)
|
@SpringBootTest(classes = SpringSessionMongoDBApplication.class)
|
||||||
public class SpringContextIntegrationTest {
|
public class SpringContextIntegrationTest {
|
||||||
|
|
|
@ -44,6 +44,11 @@
|
||||||
<artifactId>spring-context</artifactId>
|
<artifactId>spring-context</artifactId>
|
||||||
<version>LATEST</version>
|
<version>LATEST</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.springframework</groupId>
|
||||||
|
<artifactId>spring-webmvc</artifactId>
|
||||||
|
<version>${spring.version}</version>
|
||||||
|
</dependency>
|
||||||
<dependency>
|
<dependency>
|
||||||
<groupId>org.eclipse.persistence</groupId>
|
<groupId>org.eclipse.persistence</groupId>
|
||||||
<artifactId>javax.persistence</artifactId>
|
<artifactId>javax.persistence</artifactId>
|
||||||
|
@ -66,6 +71,11 @@
|
||||||
<version>${awaitility.version}</version>
|
<version>${awaitility.version}</version>
|
||||||
<scope>test</scope>
|
<scope>test</scope>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>javax.servlet</groupId>
|
||||||
|
<artifactId>javax.servlet-api</artifactId>
|
||||||
|
<version>${servlet.api.version}</version>
|
||||||
|
</dependency>
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
|
@ -84,6 +94,8 @@
|
||||||
<hamcrest.version>2.0.0.0</hamcrest.version>
|
<hamcrest.version>2.0.0.0</hamcrest.version>
|
||||||
<awaitility.version>3.1.6</awaitility.version>
|
<awaitility.version>3.1.6</awaitility.version>
|
||||||
<junit.jupiter.version>5.4.0</junit.jupiter.version>
|
<junit.jupiter.version>5.4.0</junit.jupiter.version>
|
||||||
|
<spring.version>5.1.4.RELEASE</spring.version>
|
||||||
|
<servlet.api.version>4.0.1</servlet.api.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue