Merge remote-tracking branch 'upstream/master'
This commit is contained in:
commit
eeb76f09e0
|
@ -0,0 +1,13 @@
|
||||||
|
package com.baeldung.algorithms.minheapmerge;
|
||||||
|
|
||||||
|
public class HeapNode {
|
||||||
|
|
||||||
|
int element;
|
||||||
|
int arrayIndex;
|
||||||
|
int nextElementIndex = 1;
|
||||||
|
|
||||||
|
public HeapNode(int element, int arrayIndex) {
|
||||||
|
this.element = element;
|
||||||
|
this.arrayIndex = arrayIndex;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,88 @@
|
||||||
|
package com.baeldung.algorithms.minheapmerge;
|
||||||
|
|
||||||
|
public class MinHeap {
|
||||||
|
|
||||||
|
HeapNode[] heapNodes;
|
||||||
|
|
||||||
|
public MinHeap(HeapNode heapNodes[]) {
|
||||||
|
this.heapNodes = heapNodes;
|
||||||
|
heapifyFromLastLeafsParent();
|
||||||
|
}
|
||||||
|
|
||||||
|
void heapifyFromLastLeafsParent() {
|
||||||
|
int lastLeafsParentIndex = getParentNodeIndex(heapNodes.length);
|
||||||
|
while (lastLeafsParentIndex >= 0) {
|
||||||
|
heapify(lastLeafsParentIndex);
|
||||||
|
lastLeafsParentIndex--;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
void heapify(int index) {
|
||||||
|
int leftNodeIndex = getLeftNodeIndex(index);
|
||||||
|
int rightNodeIndex = getRightNodeIndex(index);
|
||||||
|
int smallestElementIndex = index;
|
||||||
|
if (leftNodeIndex < heapNodes.length && heapNodes[leftNodeIndex].element < heapNodes[index].element) {
|
||||||
|
smallestElementIndex = leftNodeIndex;
|
||||||
|
}
|
||||||
|
if (rightNodeIndex < heapNodes.length && heapNodes[rightNodeIndex].element < heapNodes[smallestElementIndex].element) {
|
||||||
|
smallestElementIndex = rightNodeIndex;
|
||||||
|
}
|
||||||
|
if (smallestElementIndex != index) {
|
||||||
|
swap(index, smallestElementIndex);
|
||||||
|
heapify(smallestElementIndex);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
int getParentNodeIndex(int index) {
|
||||||
|
return (index - 1) / 2;
|
||||||
|
}
|
||||||
|
|
||||||
|
int getLeftNodeIndex(int index) {
|
||||||
|
return (2 * index + 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
int getRightNodeIndex(int index) {
|
||||||
|
return (2 * index + 2);
|
||||||
|
}
|
||||||
|
|
||||||
|
HeapNode getRootNode() {
|
||||||
|
return heapNodes[0];
|
||||||
|
}
|
||||||
|
|
||||||
|
void heapifyFromRoot() {
|
||||||
|
heapify(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
void swap(int i, int j) {
|
||||||
|
HeapNode temp = heapNodes[i];
|
||||||
|
heapNodes[i] = heapNodes[j];
|
||||||
|
heapNodes[j] = temp;
|
||||||
|
}
|
||||||
|
|
||||||
|
static int[] merge(int[][] array) {
|
||||||
|
HeapNode[] heapNodes = new HeapNode[array.length];
|
||||||
|
int resultingArraySize = 0;
|
||||||
|
|
||||||
|
for (int i = 0; i < array.length; i++) {
|
||||||
|
HeapNode node = new HeapNode(array[i][0], i);
|
||||||
|
heapNodes[i] = node;
|
||||||
|
resultingArraySize += array[i].length;
|
||||||
|
}
|
||||||
|
|
||||||
|
MinHeap minHeap = new MinHeap(heapNodes);
|
||||||
|
int[] resultingArray = new int[resultingArraySize];
|
||||||
|
|
||||||
|
for (int i = 0; i < resultingArraySize; i++) {
|
||||||
|
HeapNode root = minHeap.getRootNode();
|
||||||
|
resultingArray[i] = root.element;
|
||||||
|
|
||||||
|
if (root.nextElementIndex < array[root.arrayIndex].length) {
|
||||||
|
root.element = array[root.arrayIndex][root.nextElementIndex++];
|
||||||
|
} else {
|
||||||
|
root.element = Integer.MAX_VALUE;
|
||||||
|
}
|
||||||
|
minHeap.heapifyFromRoot();
|
||||||
|
}
|
||||||
|
return resultingArray;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,22 @@
|
||||||
|
package com.baeldung.algorithms.minheapmerge;
|
||||||
|
|
||||||
|
import static org.hamcrest.CoreMatchers.equalTo;
|
||||||
|
import static org.hamcrest.CoreMatchers.is;
|
||||||
|
import static org.junit.Assert.assertThat;
|
||||||
|
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class MinHeapUnitTest {
|
||||||
|
|
||||||
|
private final int[][] inputArray = { { 0, 6 }, { 1, 5, 10, 100 }, { 2, 4, 200, 650 } };
|
||||||
|
private final int[] expectedArray = { 0, 1, 2, 4, 5, 6, 10, 100, 200, 650 };
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenSortedArrays_whenMerged_thenShouldReturnASingleSortedarray() {
|
||||||
|
int[] resultArray = MinHeap.merge(inputArray);
|
||||||
|
|
||||||
|
assertThat(resultArray.length, is(equalTo(10)));
|
||||||
|
assertThat(resultArray, is(equalTo(expectedArray)));
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -32,7 +32,7 @@
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<poi.version>3.15</poi.version>
|
<poi.version>4.1.1</poi.version>
|
||||||
<jexcel.version>1.0.6</jexcel.version>
|
<jexcel.version>1.0.6</jexcel.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
|
|
|
@ -0,0 +1,20 @@
|
||||||
|
package com.baeldung.poi.excel;
|
||||||
|
|
||||||
|
import org.apache.poi.ss.usermodel.Cell;
|
||||||
|
import org.apache.poi.ss.usermodel.DataFormatter;
|
||||||
|
import org.apache.poi.ss.usermodel.FormulaEvaluator;
|
||||||
|
import org.apache.poi.ss.usermodel.Workbook;
|
||||||
|
|
||||||
|
public class ExcelCellFormatter {
|
||||||
|
|
||||||
|
public String getCellStringValue(Cell cell) {
|
||||||
|
DataFormatter formatter = new DataFormatter();
|
||||||
|
return formatter.formatCellValue(cell);
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getCellStringValueWithFormula(Cell cell, Workbook workbook) {
|
||||||
|
DataFormatter formatter = new DataFormatter();
|
||||||
|
FormulaEvaluator evaluator = workbook.getCreationHelper().createFormulaEvaluator();
|
||||||
|
return formatter.formatCellValue(cell, evaluator);
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,83 @@
|
||||||
|
package com.baeldung.poi.excel.read.cellvalueandnotformula;
|
||||||
|
|
||||||
|
import java.io.File;
|
||||||
|
import java.io.FileInputStream;
|
||||||
|
import java.io.IOException;
|
||||||
|
|
||||||
|
import org.apache.poi.ss.usermodel.Cell;
|
||||||
|
import org.apache.poi.ss.usermodel.CellType;
|
||||||
|
import org.apache.poi.ss.usermodel.FormulaEvaluator;
|
||||||
|
import org.apache.poi.ss.usermodel.Row;
|
||||||
|
import org.apache.poi.ss.usermodel.Sheet;
|
||||||
|
import org.apache.poi.ss.usermodel.Workbook;
|
||||||
|
import org.apache.poi.ss.util.CellAddress;
|
||||||
|
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
|
||||||
|
|
||||||
|
public class CellValueAndNotFormulaHelper {
|
||||||
|
|
||||||
|
public Object getCellValueByFetchingLastCachedValue(String fileLocation, String cellLocation) throws IOException {
|
||||||
|
Object cellValue = new Object();
|
||||||
|
|
||||||
|
FileInputStream inputStream = new FileInputStream(new File(fileLocation));
|
||||||
|
Workbook workbook = new XSSFWorkbook(inputStream);
|
||||||
|
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
|
||||||
|
CellAddress cellAddress = new CellAddress(cellLocation);
|
||||||
|
Row row = sheet.getRow(cellAddress.getRow());
|
||||||
|
Cell cell = row.getCell(cellAddress.getColumn());
|
||||||
|
|
||||||
|
if (cell.getCellType() == CellType.FORMULA) {
|
||||||
|
switch (cell.getCachedFormulaResultType()) {
|
||||||
|
case BOOLEAN:
|
||||||
|
cellValue = cell.getBooleanCellValue();
|
||||||
|
break;
|
||||||
|
case NUMERIC:
|
||||||
|
cellValue = cell.getNumericCellValue();
|
||||||
|
break;
|
||||||
|
case STRING:
|
||||||
|
cellValue = cell.getStringCellValue();
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
cellValue = null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
workbook.close();
|
||||||
|
return cellValue;
|
||||||
|
}
|
||||||
|
|
||||||
|
public Object getCellValueByEvaluatingFormula(String fileLocation, String cellLocation) throws IOException {
|
||||||
|
Object cellValue = new Object();
|
||||||
|
|
||||||
|
FileInputStream inputStream = new FileInputStream(new File(fileLocation));
|
||||||
|
Workbook workbook = new XSSFWorkbook(inputStream);
|
||||||
|
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
FormulaEvaluator evaluator = workbook.getCreationHelper()
|
||||||
|
.createFormulaEvaluator();
|
||||||
|
|
||||||
|
CellAddress cellAddress = new CellAddress(cellLocation);
|
||||||
|
Row row = sheet.getRow(cellAddress.getRow());
|
||||||
|
Cell cell = row.getCell(cellAddress.getColumn());
|
||||||
|
|
||||||
|
if (cell.getCellType() == CellType.FORMULA) {
|
||||||
|
switch (evaluator.evaluateFormulaCell(cell)) {
|
||||||
|
case BOOLEAN:
|
||||||
|
cellValue = cell.getBooleanCellValue();
|
||||||
|
break;
|
||||||
|
case NUMERIC:
|
||||||
|
cellValue = cell.getNumericCellValue();
|
||||||
|
break;
|
||||||
|
case STRING:
|
||||||
|
cellValue = cell.getStringCellValue();
|
||||||
|
break;
|
||||||
|
default:
|
||||||
|
cellValue = null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
workbook.close();
|
||||||
|
return cellValue;
|
||||||
|
}
|
||||||
|
}
|
Binary file not shown.
Binary file not shown.
|
@ -0,0 +1,87 @@
|
||||||
|
package com.baeldung.poi.excel;
|
||||||
|
|
||||||
|
import static org.junit.Assert.assertEquals;
|
||||||
|
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.net.URISyntaxException;
|
||||||
|
import java.nio.file.Paths;
|
||||||
|
|
||||||
|
import org.apache.poi.ss.usermodel.Row;
|
||||||
|
import org.apache.poi.ss.usermodel.Sheet;
|
||||||
|
import org.apache.poi.ss.usermodel.Workbook;
|
||||||
|
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
|
||||||
|
import org.junit.Before;
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class ExcelCellFormatterUnitTest {
|
||||||
|
private static final String FILE_NAME = "ExcelCellFormatterTest.xlsx";
|
||||||
|
private static final int STRING_CELL_INDEX = 0;
|
||||||
|
private static final int BOOLEAN_CELL_INDEX = 1;
|
||||||
|
private static final int RAW_NUMERIC_CELL_INDEX = 2;
|
||||||
|
private static final int FORMATTED_NUMERIC_CELL_INDEX = 3;
|
||||||
|
private static final int FORMULA_CELL_INDEX = 4;
|
||||||
|
|
||||||
|
private String fileLocation;
|
||||||
|
|
||||||
|
@Before
|
||||||
|
public void setup() throws IOException, URISyntaxException {
|
||||||
|
fileLocation = Paths.get(ClassLoader.getSystemResource(FILE_NAME).toURI()).toString();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenStringCell_whenGetCellStringValue_thenReturnStringValue() throws IOException {
|
||||||
|
Workbook workbook = new XSSFWorkbook(fileLocation);
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
Row row = sheet.getRow(0);
|
||||||
|
|
||||||
|
ExcelCellFormatter formatter = new ExcelCellFormatter();
|
||||||
|
assertEquals("String Test", formatter.getCellStringValue(row.getCell(STRING_CELL_INDEX)));
|
||||||
|
workbook.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenBooleanCell_whenGetCellStringValue_thenReturnBooleanStringValue() throws IOException {
|
||||||
|
Workbook workbook = new XSSFWorkbook(fileLocation);
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
Row row = sheet.getRow(0);
|
||||||
|
|
||||||
|
ExcelCellFormatter formatter = new ExcelCellFormatter();
|
||||||
|
assertEquals("TRUE", formatter.getCellStringValue(row.getCell(BOOLEAN_CELL_INDEX)));
|
||||||
|
workbook.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenNumericCell_whenGetCellStringValue_thenReturnNumericStringValue() throws IOException {
|
||||||
|
Workbook workbook = new XSSFWorkbook(fileLocation);
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
Row row = sheet.getRow(0);
|
||||||
|
|
||||||
|
ExcelCellFormatter formatter = new ExcelCellFormatter();
|
||||||
|
assertEquals("1.234", formatter.getCellStringValue(row.getCell(RAW_NUMERIC_CELL_INDEX)));
|
||||||
|
assertEquals("1.23", formatter.getCellStringValue(row.getCell(FORMATTED_NUMERIC_CELL_INDEX)));
|
||||||
|
workbook.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenFormualCell_whenGetCellStringValue_thenReturnOriginalFormulaString() throws IOException {
|
||||||
|
Workbook workbook = new XSSFWorkbook(fileLocation);
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
Row row = sheet.getRow(0);
|
||||||
|
|
||||||
|
ExcelCellFormatter formatter = new ExcelCellFormatter();
|
||||||
|
assertEquals("SUM(1+2)", formatter.getCellStringValue(row.getCell(FORMULA_CELL_INDEX)));
|
||||||
|
workbook.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenFormualCell_whenGetCellStringValueForFormula_thenReturnOriginalFormulatring() throws IOException {
|
||||||
|
Workbook workbook = new XSSFWorkbook(fileLocation);
|
||||||
|
Sheet sheet = workbook.getSheetAt(0);
|
||||||
|
Row row = sheet.getRow(0);
|
||||||
|
|
||||||
|
ExcelCellFormatter formatter = new ExcelCellFormatter();
|
||||||
|
assertEquals("3", formatter.getCellStringValueWithFormula(row.getCell(FORMULA_CELL_INDEX), workbook));
|
||||||
|
workbook.close();
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,39 @@
|
||||||
|
package com.baeldung.poi.excel.read.cellvalueandnotformula;
|
||||||
|
|
||||||
|
import static org.junit.jupiter.api.Assertions.assertEquals;
|
||||||
|
|
||||||
|
import java.io.IOException;
|
||||||
|
import java.net.URISyntaxException;
|
||||||
|
import java.nio.file.Paths;
|
||||||
|
|
||||||
|
import org.junit.Before;
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class CellValueAndNotFormulaUnitTest {
|
||||||
|
|
||||||
|
private CellValueAndNotFormulaHelper readCellValueAndNotFormulaHelper;
|
||||||
|
private String fileLocation;
|
||||||
|
private static final String FILE_NAME = "test.xlsx";
|
||||||
|
|
||||||
|
@Before
|
||||||
|
public void setup() throws URISyntaxException {
|
||||||
|
fileLocation = Paths.get(ClassLoader.getSystemResource(FILE_NAME).toURI()).toString();
|
||||||
|
readCellValueAndNotFormulaHelper = new CellValueAndNotFormulaHelper();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenExcelCell_whenReadCellValueByLastCachedValue_thenProduceCorrectResult() throws IOException {
|
||||||
|
final double expectedResult = 7.0;
|
||||||
|
final Object cellValue = readCellValueAndNotFormulaHelper.getCellValueByFetchingLastCachedValue(fileLocation, "C2");
|
||||||
|
|
||||||
|
assertEquals(expectedResult, cellValue);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenExcelCell_whenReadCellValueByEvaluatingFormula_thenProduceCorrectResult() throws IOException {
|
||||||
|
final double expectedResult = 7.0;
|
||||||
|
final Object cellValue = readCellValueAndNotFormulaHelper.getCellValueByEvaluatingFormula(fileLocation, "C2");
|
||||||
|
|
||||||
|
assertEquals(expectedResult, cellValue);
|
||||||
|
}
|
||||||
|
}
|
|
@ -75,6 +75,7 @@ class WebserviceUnitTest extends GroovyTestCase {
|
||||||
assert stories.size() == 5
|
assert stories.size() == 5
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/* see BAEL-3753
|
||||||
void test_whenConsumingSoap_thenReceiveResponse() {
|
void test_whenConsumingSoap_thenReceiveResponse() {
|
||||||
def url = "http://www.dataaccess.com/webservicesserver/numberconversion.wso"
|
def url = "http://www.dataaccess.com/webservicesserver/numberconversion.wso"
|
||||||
def soapClient = new SOAPClient(url)
|
def soapClient = new SOAPClient(url)
|
||||||
|
@ -89,6 +90,7 @@ class WebserviceUnitTest extends GroovyTestCase {
|
||||||
def words = response.NumberToWordsResponse
|
def words = response.NumberToWordsResponse
|
||||||
assert words == "one thousand two hundred and thirty four "
|
assert words == "one thousand two hundred and thirty four "
|
||||||
}
|
}
|
||||||
|
*/
|
||||||
|
|
||||||
void test_whenConsumingRestGet_thenReceiveResponse() {
|
void test_whenConsumingRestGet_thenReceiveResponse() {
|
||||||
def path = "/get"
|
def path = "/get"
|
||||||
|
|
|
@ -1,6 +1,5 @@
|
||||||
## Java Date/time computations Cookbooks and Examples
|
## Core Date Operations (Part 1)
|
||||||
|
This module contains articles about date operations in Java.
|
||||||
This module contains articles about date and time computations in Java.
|
|
||||||
|
|
||||||
### Relevant Articles:
|
### Relevant Articles:
|
||||||
- [Difference Between Two Dates in Java](http://www.baeldung.com/java-date-difference)
|
- [Difference Between Two Dates in Java](http://www.baeldung.com/java-date-difference)
|
||||||
|
@ -13,3 +12,4 @@ This module contains articles about date and time computations in Java.
|
||||||
- [Increment Date in Java](http://www.baeldung.com/java-increment-date)
|
- [Increment Date in Java](http://www.baeldung.com/java-increment-date)
|
||||||
- [Add Hours To a Date In Java](http://www.baeldung.com/java-add-hours-date)
|
- [Add Hours To a Date In Java](http://www.baeldung.com/java-add-hours-date)
|
||||||
- [Introduction to Joda-Time](http://www.baeldung.com/joda-time)
|
- [Introduction to Joda-Time](http://www.baeldung.com/joda-time)
|
||||||
|
- [[Next -->]](/core-java-modules/core-java-date-operations-2)
|
|
@ -2,9 +2,9 @@
|
||||||
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
<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">
|
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>
|
<modelVersion>4.0.0</modelVersion>
|
||||||
<artifactId>core-java-datetime-computations</artifactId>
|
<artifactId>core-java-date-operations-1</artifactId>
|
||||||
<version>${project.parent.version}</version>
|
<version>${project.parent.version}</version>
|
||||||
<name>core-java-datetime-computations</name>
|
<name>core-java-date-operations-1</name>
|
||||||
<packaging>jar</packaging>
|
<packaging>jar</packaging>
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
|
@ -41,7 +41,7 @@
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<build>
|
<build>
|
||||||
<finalName>core-java-datetime-computations</finalName>
|
<finalName>core-java-date-operations-1</finalName>
|
||||||
<resources>
|
<resources>
|
||||||
<resource>
|
<resource>
|
||||||
<directory>src/main/resources</directory>
|
<directory>src/main/resources</directory>
|
|
@ -1,4 +1,4 @@
|
||||||
## Core Date Operations
|
## Core Date Operations (Part 2)
|
||||||
This module contains articles about date operations in Java.
|
This module contains articles about date operations in Java.
|
||||||
|
|
||||||
### Relevant Articles:
|
### Relevant Articles:
|
||||||
|
@ -6,3 +6,4 @@ This module contains articles about date operations in Java.
|
||||||
- [Skipping Weekends While Adding Days to LocalDate in Java 8](https://www.baeldung.com/java-localdate-add-days-skip-weekends)
|
- [Skipping Weekends While Adding Days to LocalDate in Java 8](https://www.baeldung.com/java-localdate-add-days-skip-weekends)
|
||||||
- [Checking If Two Java Dates Are on the Same Day](https://www.baeldung.com/java-check-two-dates-on-same-day)
|
- [Checking If Two Java Dates Are on the Same Day](https://www.baeldung.com/java-check-two-dates-on-same-day)
|
||||||
- [Converting Java Date to OffsetDateTime](https://www.baeldung.com/java-convert-date-to-offsetdatetime)
|
- [Converting Java Date to OffsetDateTime](https://www.baeldung.com/java-convert-date-to-offsetdatetime)
|
||||||
|
- [[<-- Prev]](/core-java-modules/core-java-date-operations-1)
|
|
@ -3,9 +3,9 @@
|
||||||
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
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">
|
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>
|
<modelVersion>4.0.0</modelVersion>
|
||||||
<artifactId>core-java-date-operations</artifactId>
|
<artifactId>core-java-date-operations-2</artifactId>
|
||||||
<version>${project.parent.version}</version>
|
<version>${project.parent.version}</version>
|
||||||
<name>core-java-date-operations</name>
|
<name>core-java-date-operations-2</name>
|
||||||
<packaging>jar</packaging>
|
<packaging>jar</packaging>
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
|
@ -31,11 +31,18 @@
|
||||||
<artifactId>hirondelle-date4j</artifactId>
|
<artifactId>hirondelle-date4j</artifactId>
|
||||||
<version>${hirondelle-date4j.version}</version>
|
<version>${hirondelle-date4j.version}</version>
|
||||||
</dependency>
|
</dependency>
|
||||||
|
<dependency>
|
||||||
|
<groupId>org.assertj</groupId>
|
||||||
|
<artifactId>assertj-core</artifactId>
|
||||||
|
<version>${assertj.version}</version>
|
||||||
|
<scope>test</scope>
|
||||||
|
</dependency>
|
||||||
</dependencies>
|
</dependencies>
|
||||||
|
|
||||||
<properties>
|
<properties>
|
||||||
<joda-time.version>2.10</joda-time.version>
|
<joda-time.version>2.10</joda-time.version>
|
||||||
<hirondelle-date4j.version>1.5.1</hirondelle-date4j.version>
|
<hirondelle-date4j.version>1.5.1</hirondelle-date4j.version>
|
||||||
|
<assertj.version>3.14.0</assertj.version>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
|
@ -0,0 +1,19 @@
|
||||||
|
package com.baeldung.timer;
|
||||||
|
|
||||||
|
import java.util.List;
|
||||||
|
import java.util.TimerTask;
|
||||||
|
|
||||||
|
public class DatabaseMigrationTask extends TimerTask {
|
||||||
|
private List<String> oldDatabase;
|
||||||
|
private List<String> newDatabase;
|
||||||
|
|
||||||
|
public DatabaseMigrationTask(List<String> oldDatabase, List<String> newDatabase) {
|
||||||
|
this.oldDatabase = oldDatabase;
|
||||||
|
this.newDatabase = newDatabase;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Override
|
||||||
|
public void run() {
|
||||||
|
newDatabase.addAll(oldDatabase);
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,14 @@
|
||||||
|
package com.baeldung.timer;
|
||||||
|
|
||||||
|
import java.time.Instant;
|
||||||
|
import java.time.LocalDateTime;
|
||||||
|
import java.time.ZoneId;
|
||||||
|
import java.util.TimerTask;
|
||||||
|
|
||||||
|
public class NewsletterTask extends TimerTask {
|
||||||
|
@Override
|
||||||
|
public void run() {
|
||||||
|
System.out.println("Email sent at: "
|
||||||
|
+ LocalDateTime.ofInstant(Instant.ofEpochMilli(scheduledExecutionTime()), ZoneId.systemDefault()));
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,44 @@
|
||||||
|
package com.baeldung.timer;
|
||||||
|
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
|
||||||
|
import java.time.LocalDateTime;
|
||||||
|
import java.time.ZoneId;
|
||||||
|
import java.util.*;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
class DatabaseMigrationTaskUnitTest {
|
||||||
|
@Test
|
||||||
|
void givenDatabaseMigrationTask_whenTimerScheduledForNowPlusTwoSeconds_thenDataMigratedAfterTwoSeconds() throws Exception {
|
||||||
|
List<String> oldDatabase = Arrays.asList("Harrison Ford", "Carrie Fisher", "Mark Hamill");
|
||||||
|
List<String> newDatabase = new ArrayList<>();
|
||||||
|
|
||||||
|
LocalDateTime twoSecondsLater = LocalDateTime.now().plusSeconds(2);
|
||||||
|
Date twoSecondsLaterAsDate = Date.from(twoSecondsLater.atZone(ZoneId.systemDefault()).toInstant());
|
||||||
|
|
||||||
|
new Timer().schedule(new DatabaseMigrationTask(oldDatabase, newDatabase), twoSecondsLaterAsDate);
|
||||||
|
|
||||||
|
while (LocalDateTime.now().isBefore(twoSecondsLater)) {
|
||||||
|
assertThat(newDatabase).isEmpty();
|
||||||
|
Thread.sleep(500);
|
||||||
|
}
|
||||||
|
assertThat(newDatabase).containsExactlyElementsOf(oldDatabase);
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
void givenDatabaseMigrationTask_whenTimerScheduledInTwoSeconds_thenDataMigratedAfterTwoSeconds() throws Exception {
|
||||||
|
List<String> oldDatabase = Arrays.asList("Harrison Ford", "Carrie Fisher", "Mark Hamill");
|
||||||
|
List<String> newDatabase = new ArrayList<>();
|
||||||
|
|
||||||
|
new Timer().schedule(new DatabaseMigrationTask(oldDatabase, newDatabase), 2000);
|
||||||
|
|
||||||
|
LocalDateTime twoSecondsLater = LocalDateTime.now().plusSeconds(2);
|
||||||
|
|
||||||
|
while (LocalDateTime.now().isBefore(twoSecondsLater)) {
|
||||||
|
assertThat(newDatabase).isEmpty();
|
||||||
|
Thread.sleep(500);
|
||||||
|
}
|
||||||
|
assertThat(newDatabase).containsExactlyElementsOf(oldDatabase);
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,33 @@
|
||||||
|
package com.baeldung.timer;
|
||||||
|
|
||||||
|
import org.junit.jupiter.api.AfterEach;
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
|
||||||
|
import java.util.Timer;
|
||||||
|
|
||||||
|
class NewsletterTaskUnitTest {
|
||||||
|
private final Timer timer = new Timer();
|
||||||
|
|
||||||
|
@AfterEach
|
||||||
|
void afterEach() {
|
||||||
|
timer.cancel();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
void givenNewsletterTask_whenTimerScheduledEachSecondFixedDelay_thenNewsletterSentEachSecond() throws Exception {
|
||||||
|
timer.schedule(new NewsletterTask(), 0, 1000);
|
||||||
|
|
||||||
|
for (int i = 0; i < 3; i++) {
|
||||||
|
Thread.sleep(1000);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
void givenNewsletterTask_whenTimerScheduledEachSecondFixedRate_thenNewsletterSentEachSecond() throws Exception {
|
||||||
|
timer.scheduleAtFixedRate(new NewsletterTask(), 0, 1000);
|
||||||
|
|
||||||
|
for (int i = 0; i < 3; i++) {
|
||||||
|
Thread.sleep(1000);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,45 @@
|
||||||
|
package com.baeldung.datebasics;
|
||||||
|
|
||||||
|
import java.time.Clock;
|
||||||
|
import java.time.LocalDate;
|
||||||
|
import java.time.Month;
|
||||||
|
import java.time.ZoneId;
|
||||||
|
import java.time.format.DateTimeFormatter;
|
||||||
|
|
||||||
|
public class CreateDate {
|
||||||
|
public LocalDate getTodaysDate() {
|
||||||
|
return LocalDate.now();
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getTodaysDateFromClock() {
|
||||||
|
return LocalDate.now(Clock.systemDefaultZone());
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getTodaysDateFromZone(String zone) {
|
||||||
|
return LocalDate.now(ZoneId.of(zone));
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getCustomDateOne(int year, int month, int dayOfMonth) {
|
||||||
|
return LocalDate.of(year, month, dayOfMonth);
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getCustomDateTwo(int year, Month month, int dayOfMonth) {
|
||||||
|
return LocalDate.of(year, month, dayOfMonth);
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getDateFromEpochDay(long epochDay) {
|
||||||
|
return LocalDate.ofEpochDay(epochDay);
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getDateFromYearAndDayOfYear(int year, int dayOfYear) {
|
||||||
|
return LocalDate.ofYearDay(year, dayOfYear);
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getDateFromString(String date) {
|
||||||
|
return LocalDate.parse(date);
|
||||||
|
}
|
||||||
|
|
||||||
|
public LocalDate getDateFromStringAndFormatter(String date, String pattern) {
|
||||||
|
return LocalDate.parse(date, DateTimeFormatter.ofPattern(pattern));
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,56 @@
|
||||||
|
package com.baeldung.datebasics;
|
||||||
|
|
||||||
|
import static org.junit.Assert.assertEquals;
|
||||||
|
|
||||||
|
import java.time.Month;
|
||||||
|
|
||||||
|
import org.junit.Test;
|
||||||
|
|
||||||
|
public class CreateDateUnitTest {
|
||||||
|
private CreateDate date = new CreateDate();
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenUsingNowMethod_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getTodaysDate());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenUsingClock_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getTodaysDateFromClock());
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValues_whenUsingZone_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getTodaysDateFromZone("Asia/Kolkata"));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValues_whenUsingOfMethod_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getCustomDateOne(2020, 1, 8));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValuesWithMonthEnum_whenUsingOfMethod_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getCustomDateTwo(2020, Month.JANUARY, 8));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValues_whenUsingEpochDay_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getDateFromEpochDay(18269));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValues_whenUsingYearDay_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getDateFromYearAndDayOfYear(2020, 8));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValues_whenUsingParse_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getDateFromString("2020-01-08"));
|
||||||
|
}
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void givenValuesWithFormatter_whenUsingParse_thenLocalDate() {
|
||||||
|
assertEquals("2020-01-08", date.getDateFromStringAndFormatter("8-Jan-2020", "d-MMM-yyyy"));
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,7 +1,5 @@
|
||||||
package com.baeldung.powerset;
|
package com.baeldung.powerset;
|
||||||
|
|
||||||
import com.google.common.collect.Sets;
|
|
||||||
|
|
||||||
import javax.annotation.Nullable;
|
import javax.annotation.Nullable;
|
||||||
import java.util.AbstractSet;
|
import java.util.AbstractSet;
|
||||||
import java.util.ArrayList;
|
import java.util.ArrayList;
|
||||||
|
@ -163,7 +161,7 @@ public class PowerSetUtility<T> {
|
||||||
return unMapIndex(powerSetIndices);
|
return unMapIndex(powerSetIndices);
|
||||||
}
|
}
|
||||||
|
|
||||||
private List<List<Boolean>> iterativePowerSetByLoopOverNumbersWithReverseLexicographicalOrder(int n) {
|
private List<List<Boolean>> iterativePowerSetByLoopOverNumbers(int n) {
|
||||||
List<List<Boolean>> powerSet = new ArrayList<>();
|
List<List<Boolean>> powerSet = new ArrayList<>();
|
||||||
for (int i = 0; i < (1 << n); i++) {
|
for (int i = 0; i < (1 << n); i++) {
|
||||||
List<Boolean> subset = new ArrayList<>(n);
|
List<Boolean> subset = new ArrayList<>(n);
|
||||||
|
@ -174,7 +172,7 @@ public class PowerSetUtility<T> {
|
||||||
return powerSet;
|
return powerSet;
|
||||||
}
|
}
|
||||||
|
|
||||||
private List<List<Boolean>> iterativePowerSetByLoopOverNumbersWithGrayCodeOrder(int n) {
|
private List<List<Boolean>> iterativePowerSetByLoopOverNumbersWithMinimalChange(int n) {
|
||||||
List<List<Boolean>> powerSet = new ArrayList<>();
|
List<List<Boolean>> powerSet = new ArrayList<>();
|
||||||
for (int i = 0; i < (1 << n); i++) {
|
for (int i = 0; i < (1 << n); i++) {
|
||||||
List<Boolean> subset = new ArrayList<>(n);
|
List<Boolean> subset = new ArrayList<>(n);
|
||||||
|
@ -195,32 +193,16 @@ public class PowerSetUtility<T> {
|
||||||
|
|
||||||
public List<List<T>> iterativePowerSetByLoopOverNumbers(Set<T> set) {
|
public List<List<T>> iterativePowerSetByLoopOverNumbers(Set<T> set) {
|
||||||
initializeMap(set);
|
initializeMap(set);
|
||||||
List<List<Boolean>> sets = iterativePowerSetByLoopOverNumbersWithReverseLexicographicalOrder(set.size());
|
List<List<Boolean>> sets = iterativePowerSetByLoopOverNumbers(set.size());
|
||||||
return unMapListBinary(sets);
|
return unMapListBinary(sets);
|
||||||
}
|
}
|
||||||
|
|
||||||
public List<List<T>> iterativePowerSetByLoopOverNumbersMinimalChange(Set<T> set) {
|
public List<List<T>> iterativePowerSetByLoopOverNumbersMinimalChange(Set<T> set) {
|
||||||
initializeMap(set);
|
initializeMap(set);
|
||||||
List<List<Boolean>> sets = iterativePowerSetByLoopOverNumbersWithGrayCodeOrder(set.size());
|
List<List<Boolean>> sets = iterativePowerSetByLoopOverNumbersWithMinimalChange(set.size());
|
||||||
return unMapListBinary(sets);
|
return unMapListBinary(sets);
|
||||||
}
|
}
|
||||||
|
|
||||||
public static int getRankInLexicographicalOrder(List<Boolean> subset) {
|
|
||||||
int rank = 0;
|
|
||||||
for (int i = 0; i < subset.size(); i++)
|
|
||||||
if (subset.get(i))
|
|
||||||
rank += (1 << (subset.size() - i - 1));
|
|
||||||
return rank;
|
|
||||||
}
|
|
||||||
|
|
||||||
public static List<Boolean> getSubsetForRankInLexicographicalOrder(int rank, int sizeOfSet) {
|
|
||||||
Boolean[] subset = new Boolean[sizeOfSet];
|
|
||||||
for(int j = 0; j < sizeOfSet; j++) {
|
|
||||||
subset[sizeOfSet - j - 1] = ((rank & (1 << j)) > 0);
|
|
||||||
}
|
|
||||||
return Arrays.asList(subset);
|
|
||||||
}
|
|
||||||
|
|
||||||
private Set<Set<Integer>> recursivePowerSetIndexRepresentation(int idx, int n) {
|
private Set<Set<Integer>> recursivePowerSetIndexRepresentation(int idx, int n) {
|
||||||
if (idx == n) {
|
if (idx == n) {
|
||||||
Set<Set<Integer>> empty = new HashSet<>();
|
Set<Set<Integer>> empty = new HashSet<>();
|
||||||
|
|
|
@ -137,7 +137,7 @@ public class PowerSetUtilityUnitTest {
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void givenSet_WhenPowerSetIsCalculatedIterativePowerSetByLoopOverNumbersMinimalChange_ThenItContainsAllSubsetsInGrayOrder() {
|
public void givenSet_WhenPowerSetIsCalculatedIterativePowerSetByLoopOverNumbersWithMinimalChange_ThenItContainsAllSubsets() {
|
||||||
|
|
||||||
Set<String> set = RandomSetOfStringGenerator.generateRandomSet();
|
Set<String> set = RandomSetOfStringGenerator.generateRandomSet();
|
||||||
List<List<String>> powerSet = new PowerSetUtility<String>().iterativePowerSetByLoopOverNumbersMinimalChange(set);
|
List<List<String>> powerSet = new PowerSetUtility<String>().iterativePowerSetByLoopOverNumbersMinimalChange(set);
|
||||||
|
@ -172,42 +172,6 @@ public class PowerSetUtilityUnitTest {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
|
||||||
public void givenSubset_WhenPowerSetIsInLexicographicalOrder_ReturnCorrectRank() {
|
|
||||||
int n = new Random().nextInt(5) + 5; //a number in [5, 10)
|
|
||||||
for(int i = 0; i < ( 1 << n); i++) {
|
|
||||||
Boolean[] subset = new Boolean[n];
|
|
||||||
for(int j=0; j < n; j++) {
|
|
||||||
subset[n - j - 1] = ((i & (1 << j)) > 0);
|
|
||||||
}
|
|
||||||
Assertions.assertEquals(i, PowerSetUtility.getRankInLexicographicalOrder(Arrays.asList(subset)));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
@Test
|
|
||||||
public void givenRanking_WhenPowerSetIsInLexicographicalOrder_ReturnTheSubset() {
|
|
||||||
int n = new Random().nextInt(5) + 5; //a number in [5, 10)
|
|
||||||
List<List<Boolean>> powerSet = new ArrayList<>();
|
|
||||||
for(int i = 0; i < (1 << n); i++) {
|
|
||||||
powerSet.add(PowerSetUtility.getSubsetForRankInLexicographicalOrder(i, n));
|
|
||||||
}
|
|
||||||
//To make sure that the size of power set is (2 power n)
|
|
||||||
MatcherAssert.assertThat(powerSet, IsCollectionWithSize.hasSize((1 << n)));
|
|
||||||
//To make sure that number of occurrence of each index is (2 power n-1)
|
|
||||||
Map<Integer, Integer> counter = new HashMap<>();
|
|
||||||
for (List<Boolean> subset : powerSet) {
|
|
||||||
for (int i = 0; i < subset.size(); i++) {
|
|
||||||
if(subset.get(i)) {
|
|
||||||
int num = counter.getOrDefault(i, 0);
|
|
||||||
counter.put(i, num + 1);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
counter.forEach((k, v) -> Assertions.assertEquals((1 << (n - 1)), v.intValue()));
|
|
||||||
//To make sure that one subset is not generated twice
|
|
||||||
Assertions.assertEquals(powerSet.size(), new HashSet<>(powerSet).size());
|
|
||||||
}
|
|
||||||
|
|
||||||
static class RandomSetOfStringGenerator {
|
static class RandomSetOfStringGenerator {
|
||||||
private static List<String> fruits = Arrays.asList("Apples", "Avocados", "Banana", "Blueberry", "Cherry", "Clementine", "Cucumber", "Date", "Fig",
|
private static List<String> fruits = Arrays.asList("Apples", "Avocados", "Banana", "Blueberry", "Cherry", "Clementine", "Cucumber", "Date", "Fig",
|
||||||
"Grapefruit"/*, "Grape", "Kiwi", "Lemon", "Mango", "Mulberry", "Melon", "Nectarine", "Olive", "Orange"*/);
|
"Grapefruit"/*, "Grape", "Kiwi", "Lemon", "Mango", "Mulberry", "Melon", "Nectarine", "Olive", "Orange"*/);
|
||||||
|
|
|
@ -6,7 +6,7 @@ import org.junit.Test;
|
||||||
public class TernaryOperatorUnitTest {
|
public class TernaryOperatorUnitTest {
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void givenACondition_whenUsingTernaryOperator_thenItEvaluatesConditionAndReturnsAValue() {
|
public void whenUsingTernaryOperator_thenConditionIsEvaluatedAndValueReturned() {
|
||||||
int number = 10;
|
int number = 10;
|
||||||
String msg = number > 10 ? "Number is greater than 10" : "Number is less than or equal to 10";
|
String msg = number > 10 ? "Number is greater than 10" : "Number is less than or equal to 10";
|
||||||
|
|
||||||
|
@ -14,7 +14,7 @@ public class TernaryOperatorUnitTest {
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void givenATrueCondition_whenUsingTernaryOperator_thenOnlyExpression1IsEvaluated() {
|
public void whenConditionIsTrue_thenOnlyFirstExpressionIsEvaluated() {
|
||||||
int exp1 = 0, exp2 = 0;
|
int exp1 = 0, exp2 = 0;
|
||||||
int result = 12 > 10 ? ++exp1 : ++exp2;
|
int result = 12 > 10 ? ++exp1 : ++exp2;
|
||||||
|
|
||||||
|
@ -24,7 +24,7 @@ public class TernaryOperatorUnitTest {
|
||||||
}
|
}
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void givenAFalseCondition_whenUsingTernaryOperator_thenOnlyExpression2IsEvaluated() {
|
public void whenConditionIsFalse_thenOnlySecondExpressionIsEvaluated() {
|
||||||
int exp1 = 0, exp2 = 0;
|
int exp1 = 0, exp2 = 0;
|
||||||
int result = 8 > 10 ? ++exp1 : ++exp2;
|
int result = 8 > 10 ? ++exp1 : ++exp2;
|
||||||
|
|
||||||
|
|
|
@ -18,7 +18,7 @@
|
||||||
<module>core-java-optional</module>
|
<module>core-java-optional</module>
|
||||||
<module>core-java-lang-operators</module>
|
<module>core-java-lang-operators</module>
|
||||||
<module>core-java-networking-2</module>
|
<module>core-java-networking-2</module>
|
||||||
<module>core-java-date-operations</module>
|
<module>core-java-date-operations-2</module>
|
||||||
</modules>
|
</modules>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
## Netflix
|
## Netflix Modules
|
||||||
|
|
||||||
This module contains articles about Netflix.
|
This module contains articles about Netflix.
|
||||||
|
|
|
@ -10,7 +10,7 @@
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
<groupId>com.baeldung</groupId>
|
<groupId>com.baeldung</groupId>
|
||||||
<artifactId>netflix</artifactId>
|
<artifactId>netflix-modules</artifactId>
|
||||||
<version>1.0.0-SNAPSHOT</version>
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
</parent>
|
</parent>
|
||||||
|
|
|
@ -2,9 +2,9 @@
|
||||||
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
|
<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">
|
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>
|
<modelVersion>4.0.0</modelVersion>
|
||||||
<artifactId>netflix</artifactId>
|
<artifactId>netflix-modules</artifactId>
|
||||||
<version>1.0.0-SNAPSHOT</version>
|
<version>1.0.0-SNAPSHOT</version>
|
||||||
<name>Netflix</name>
|
<name>Netflix Modules</name>
|
||||||
<packaging>pom</packaging>
|
<packaging>pom</packaging>
|
||||||
<description>Module for Netflix projects</description>
|
<description>Module for Netflix projects</description>
|
||||||
|
|
12
pom.xml
12
pom.xml
|
@ -400,7 +400,7 @@
|
||||||
<module>core-java-modules/core-java-lang-math</module>
|
<module>core-java-modules/core-java-lang-math</module>
|
||||||
<!-- We haven't upgraded to java 9.-->
|
<!-- We haven't upgraded to java 9.-->
|
||||||
<!--
|
<!--
|
||||||
<module>core-java-modules/core-java-datetime-computations</module>
|
<module>core-java-modules/core-java-date-operations-1</module>
|
||||||
<module>core-java-modules/core-java-datetime-conversion</module>
|
<module>core-java-modules/core-java-datetime-conversion</module>
|
||||||
<module>core-java-modules/core-java-datetime-java8</module>
|
<module>core-java-modules/core-java-datetime-java8</module>
|
||||||
<module>core-java-modules/core-java-datetime-string</module>
|
<module>core-java-modules/core-java-datetime-string</module>
|
||||||
|
@ -586,8 +586,9 @@
|
||||||
<!-- <module>muleesb</module> --> <!-- Fixing in BAEL-10878 -->
|
<!-- <module>muleesb</module> --> <!-- Fixing in BAEL-10878 -->
|
||||||
<module>mustache</module>
|
<module>mustache</module>
|
||||||
<module>mybatis</module>
|
<module>mybatis</module>
|
||||||
|
|
||||||
<module>ninja</module>
|
<module>ninja</module>
|
||||||
<module>netflix</module>
|
<module>netflix-modules</module>
|
||||||
|
|
||||||
<module>optaplanner</module>
|
<module>optaplanner</module>
|
||||||
<module>orika</module>
|
<module>orika</module>
|
||||||
|
@ -669,7 +670,7 @@
|
||||||
</build>
|
</build>
|
||||||
|
|
||||||
<modules>
|
<modules>
|
||||||
<module>netflix</module>
|
<module>netflix-modules</module>
|
||||||
|
|
||||||
<module>parent-boot-1</module>
|
<module>parent-boot-1</module>
|
||||||
<module>parent-boot-2</module>
|
<module>parent-boot-2</module>
|
||||||
|
@ -1040,7 +1041,7 @@
|
||||||
<module>core-java-modules/core-java-lang-math</module>
|
<module>core-java-modules/core-java-lang-math</module>
|
||||||
<!-- We haven't upgraded to java 9.-->
|
<!-- We haven't upgraded to java 9.-->
|
||||||
<!--
|
<!--
|
||||||
<module>core-java-modules/core-java-datetime-computations</module>
|
<module>core-java-modules/core-java-date-operations-1</module>
|
||||||
<module>core-java-modules/core-java-datetime-conversion</module>
|
<module>core-java-modules/core-java-datetime-conversion</module>
|
||||||
<module>core-java-modules/core-java-datetime-java8</module>
|
<module>core-java-modules/core-java-datetime-java8</module>
|
||||||
<module>core-java-modules/core-java-datetime-string</module>
|
<module>core-java-modules/core-java-datetime-string</module>
|
||||||
|
@ -1218,8 +1219,9 @@
|
||||||
<!-- <module>muleesb</module> --> <!-- Fixing in BAEL-10878 -->
|
<!-- <module>muleesb</module> --> <!-- Fixing in BAEL-10878 -->
|
||||||
<module>mustache</module>
|
<module>mustache</module>
|
||||||
<module>mybatis</module>
|
<module>mybatis</module>
|
||||||
|
|
||||||
<module>ninja</module>
|
<module>ninja</module>
|
||||||
<module>netflix</module>
|
<module>netflix-modules</module>
|
||||||
|
|
||||||
<module>optaplanner</module>
|
<module>optaplanner</module>
|
||||||
<module>orika</module>
|
<module>orika</module>
|
||||||
|
|
|
@ -11,6 +11,7 @@
|
||||||
<groupId>com.baeldung</groupId>
|
<groupId>com.baeldung</groupId>
|
||||||
<artifactId>parent-boot-2</artifactId>
|
<artifactId>parent-boot-2</artifactId>
|
||||||
<version>0.0.1-SNAPSHOT</version>
|
<version>0.0.1-SNAPSHOT</version>
|
||||||
|
<relativePath>../parent-boot-2</relativePath>
|
||||||
</parent>
|
</parent>
|
||||||
|
|
||||||
<modules>
|
<modules>
|
||||||
|
|
|
@ -0,0 +1,24 @@
|
||||||
|
package com.baeldung.properties.testproperty;
|
||||||
|
|
||||||
|
import org.assertj.core.api.Assertions;
|
||||||
|
import org.junit.Test;
|
||||||
|
import org.junit.runner.RunWith;
|
||||||
|
import org.springframework.beans.factory.annotation.Value;
|
||||||
|
import org.springframework.test.context.ContextConfiguration;
|
||||||
|
import org.springframework.test.context.TestPropertySource;
|
||||||
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
@RunWith(SpringRunner.class)
|
||||||
|
@TestPropertySource("/foo.properties")
|
||||||
|
public class FilePropertyInjectionUnitTest {
|
||||||
|
|
||||||
|
@Value("${foo}")
|
||||||
|
private String foo;
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenFilePropertyProvided_thenProperlyInjected() {
|
||||||
|
assertThat(foo).isEqualTo("bar");
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,23 @@
|
||||||
|
package com.baeldung.properties.testproperty;
|
||||||
|
|
||||||
|
import org.junit.Test;
|
||||||
|
import org.junit.runner.RunWith;
|
||||||
|
import org.springframework.beans.factory.annotation.Value;
|
||||||
|
import org.springframework.test.context.ContextConfiguration;
|
||||||
|
import org.springframework.test.context.TestPropertySource;
|
||||||
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
@RunWith(SpringRunner.class)
|
||||||
|
@TestPropertySource(properties = {"foo=bar"})
|
||||||
|
public class PropertyInjectionUnitTest {
|
||||||
|
|
||||||
|
@Value("${foo}")
|
||||||
|
private String foo;
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenPropertyProvided_thenProperlyInjected() {
|
||||||
|
assertThat(foo).isEqualTo("bar");
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,23 @@
|
||||||
|
package com.baeldung.properties.testproperty;
|
||||||
|
|
||||||
|
import com.baeldung.properties.reloading.SpringBootPropertiesTestApplication;
|
||||||
|
import org.junit.Test;
|
||||||
|
import org.junit.runner.RunWith;
|
||||||
|
import org.springframework.beans.factory.annotation.Value;
|
||||||
|
import org.springframework.boot.test.context.SpringBootTest;
|
||||||
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
|
import static org.assertj.core.api.Assertions.assertThat;
|
||||||
|
|
||||||
|
@RunWith(SpringRunner.class)
|
||||||
|
@SpringBootTest(properties = {"foo=bar"}, classes = SpringBootPropertiesTestApplication.class)
|
||||||
|
public class SpringBootPropertyInjectionIntegrationTest {
|
||||||
|
|
||||||
|
@Value("${foo}")
|
||||||
|
private String foo;
|
||||||
|
|
||||||
|
@Test
|
||||||
|
public void whenSpringBootPropertyProvided_thenProperlyInjected() {
|
||||||
|
assertThat(foo).isEqualTo("bar");
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1 @@
|
||||||
|
foo=bar
|
|
@ -7,10 +7,11 @@
|
||||||
<name>spring-boot</name>
|
<name>spring-boot</name>
|
||||||
<packaging>war</packaging>
|
<packaging>war</packaging>
|
||||||
<description>This is simple boot application for Spring boot actuator test</description>
|
<description>This is simple boot application for Spring boot actuator test</description>
|
||||||
|
<version>0.0.1-SNAPSHOT</version>
|
||||||
|
|
||||||
<parent>
|
<parent>
|
||||||
<groupId>com.baeldung</groupId>
|
|
||||||
<artifactId>parent-boot-2</artifactId>
|
<artifactId>parent-boot-2</artifactId>
|
||||||
|
<groupId>com.baeldung</groupId>
|
||||||
<version>0.0.1-SNAPSHOT</version>
|
<version>0.0.1-SNAPSHOT</version>
|
||||||
<relativePath>../parent-boot-2</relativePath>
|
<relativePath>../parent-boot-2</relativePath>
|
||||||
</parent>
|
</parent>
|
||||||
|
@ -198,6 +199,16 @@
|
||||||
</configuration>
|
</configuration>
|
||||||
</plugin>
|
</plugin>
|
||||||
|
|
||||||
|
<plugin>
|
||||||
|
<groupId>org.apache.maven.plugins</groupId>
|
||||||
|
<artifactId>maven-resources-plugin</artifactId>
|
||||||
|
<configuration>
|
||||||
|
<delimiters>
|
||||||
|
<delimiter>@</delimiter>
|
||||||
|
</delimiters>
|
||||||
|
<useDefaultDelimiters>false</useDefaultDelimiters>
|
||||||
|
</configuration>
|
||||||
|
</plugin>
|
||||||
</plugins>
|
</plugins>
|
||||||
|
|
||||||
</build>
|
</build>
|
||||||
|
@ -251,6 +262,7 @@
|
||||||
<graphql-java-tools.version>5.2.4</graphql-java-tools.version>
|
<graphql-java-tools.version>5.2.4</graphql-java-tools.version>
|
||||||
<guava.version>18.0</guava.version>
|
<guava.version>18.0</guava.version>
|
||||||
<git-commit-id-plugin.version>2.2.4</git-commit-id-plugin.version>
|
<git-commit-id-plugin.version>2.2.4</git-commit-id-plugin.version>
|
||||||
|
<resource.delimiter>@</resource.delimiter>
|
||||||
</properties>
|
</properties>
|
||||||
|
|
||||||
</project>
|
</project>
|
||||||
|
|
|
@ -0,0 +1,18 @@
|
||||||
|
package com.baeldung.buildproperties;
|
||||||
|
|
||||||
|
import org.springframework.boot.SpringApplication;
|
||||||
|
import org.springframework.boot.autoconfigure.SpringBootApplication;
|
||||||
|
import org.springframework.context.annotation.ComponentScan;
|
||||||
|
import org.springframework.context.annotation.PropertySource;
|
||||||
|
|
||||||
|
@SpringBootApplication
|
||||||
|
@ComponentScan(basePackages = "com.baeldung.buildproperties")
|
||||||
|
@PropertySource("classpath:build.properties")
|
||||||
|
//@PropertySource("classpath:build.yml")
|
||||||
|
public class Application {
|
||||||
|
|
||||||
|
public static void main(String[] args) {
|
||||||
|
SpringApplication.run(Application.class, args);
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -0,0 +1,21 @@
|
||||||
|
package com.baeldung.buildproperties;
|
||||||
|
|
||||||
|
import org.springframework.beans.factory.annotation.Value;
|
||||||
|
import org.springframework.stereotype.Service;
|
||||||
|
|
||||||
|
@Service
|
||||||
|
public class BuildInfoService {
|
||||||
|
@Value("${application-description}")
|
||||||
|
private String applicationDescription;
|
||||||
|
|
||||||
|
@Value("${application-version}")
|
||||||
|
private String applicationVersion;
|
||||||
|
|
||||||
|
public String getApplicationDescription() {
|
||||||
|
return applicationDescription;
|
||||||
|
}
|
||||||
|
|
||||||
|
public String getApplicationVersion() {
|
||||||
|
return applicationVersion;
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,2 @@
|
||||||
|
application-description=@project.description@
|
||||||
|
application-version=@project.version@
|
|
@ -0,0 +1,2 @@
|
||||||
|
application-description: ^project.description^
|
||||||
|
application-version: ^project.version^
|
|
@ -0,0 +1,24 @@
|
||||||
|
package com.baeldung.buildproperties;
|
||||||
|
|
||||||
|
import static org.junit.Assert.assertThat;
|
||||||
|
|
||||||
|
import org.hamcrest.Matchers;
|
||||||
|
import org.junit.jupiter.api.Test;
|
||||||
|
import org.junit.runner.RunWith;
|
||||||
|
import org.springframework.beans.factory.annotation.Autowired;
|
||||||
|
import org.springframework.boot.test.context.SpringBootTest;
|
||||||
|
import org.springframework.test.context.junit4.SpringRunner;
|
||||||
|
|
||||||
|
@RunWith(SpringRunner.class)
|
||||||
|
@SpringBootTest(classes = Application.class)
|
||||||
|
class BuildInfoServiceIntegrationTest {
|
||||||
|
|
||||||
|
@Autowired
|
||||||
|
private BuildInfoService service;
|
||||||
|
|
||||||
|
@Test
|
||||||
|
void whenGetApplicationDescription_thenSuccess() {
|
||||||
|
assertThat(service.getApplicationDescription(), Matchers.is("This is simple boot application for Spring boot actuator test"));
|
||||||
|
assertThat(service.getApplicationVersion(), Matchers.is("0.0.1-SNAPSHOT"));
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,19 +1,17 @@
|
||||||
package org.baeldung.boot.repository;
|
package org.baeldung.boot.repository;
|
||||||
|
|
||||||
import static org.junit.Assert.assertThat;
|
|
||||||
|
|
||||||
import org.baeldung.boot.DemoApplicationIntegrationTest;
|
import org.baeldung.boot.DemoApplicationIntegrationTest;
|
||||||
import org.baeldung.demo.model.Foo;
|
import org.baeldung.demo.model.Foo;
|
||||||
import org.baeldung.demo.repository.FooRepository;
|
import org.baeldung.demo.repository.FooRepository;
|
||||||
|
|
||||||
import static org.hamcrest.Matchers.notNullValue;
|
|
||||||
import static org.hamcrest.Matchers.is;
|
|
||||||
|
|
||||||
import org.junit.Before;
|
import org.junit.Before;
|
||||||
import org.junit.Test;
|
import org.junit.Test;
|
||||||
import org.springframework.beans.factory.annotation.Autowired;
|
import org.springframework.beans.factory.annotation.Autowired;
|
||||||
import org.springframework.transaction.annotation.Transactional;
|
import org.springframework.transaction.annotation.Transactional;
|
||||||
|
|
||||||
|
import static org.hamcrest.Matchers.is;
|
||||||
|
import static org.hamcrest.Matchers.notNullValue;
|
||||||
|
import static org.junit.Assert.assertThat;
|
||||||
|
|
||||||
@Transactional
|
@Transactional
|
||||||
public class FooRepositoryIntegrationTest extends DemoApplicationIntegrationTest {
|
public class FooRepositoryIntegrationTest extends DemoApplicationIntegrationTest {
|
||||||
@Autowired
|
@Autowired
|
||||||
|
@ -28,8 +26,10 @@ public class FooRepositoryIntegrationTest extends DemoApplicationIntegrationTest
|
||||||
@Test
|
@Test
|
||||||
public void testFindByName() {
|
public void testFindByName() {
|
||||||
Foo foo = fooRepository.findByName("Bar");
|
Foo foo = fooRepository.findByName("Bar");
|
||||||
|
|
||||||
assertThat(foo, notNullValue());
|
assertThat(foo, notNullValue());
|
||||||
assertThat(foo.getId(), is(2));
|
assertThat(foo.getId(), notNullValue());
|
||||||
|
assertThat(foo.getName(), is("Bar"));
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,9 +1,5 @@
|
||||||
package org.baeldung.boot.repository;
|
package org.baeldung.boot.repository;
|
||||||
|
|
||||||
import static org.hamcrest.CoreMatchers.is;
|
|
||||||
import static org.hamcrest.CoreMatchers.notNullValue;
|
|
||||||
import static org.junit.Assert.assertThat;
|
|
||||||
|
|
||||||
import org.baeldung.boot.DemoApplicationIntegrationTest;
|
import org.baeldung.boot.DemoApplicationIntegrationTest;
|
||||||
import org.baeldung.demo.model.Foo;
|
import org.baeldung.demo.model.Foo;
|
||||||
import org.baeldung.demo.repository.FooRepository;
|
import org.baeldung.demo.repository.FooRepository;
|
||||||
|
@ -11,6 +7,10 @@ import org.junit.Test;
|
||||||
import org.springframework.beans.factory.annotation.Autowired;
|
import org.springframework.beans.factory.annotation.Autowired;
|
||||||
import org.springframework.transaction.annotation.Transactional;
|
import org.springframework.transaction.annotation.Transactional;
|
||||||
|
|
||||||
|
import static org.hamcrest.CoreMatchers.is;
|
||||||
|
import static org.hamcrest.CoreMatchers.notNullValue;
|
||||||
|
import static org.junit.Assert.assertThat;
|
||||||
|
|
||||||
@Transactional
|
@Transactional
|
||||||
public class HibernateSessionIntegrationTest extends DemoApplicationIntegrationTest {
|
public class HibernateSessionIntegrationTest extends DemoApplicationIntegrationTest {
|
||||||
@Autowired
|
@Autowired
|
||||||
|
@ -18,13 +18,12 @@ public class HibernateSessionIntegrationTest extends DemoApplicationIntegrationT
|
||||||
|
|
||||||
@Test
|
@Test
|
||||||
public void whenSavingWithCurrentSession_thenThrowNoException() {
|
public void whenSavingWithCurrentSession_thenThrowNoException() {
|
||||||
Foo foo = new Foo("Exception Solved");
|
fooRepository.save(new Foo("Exception Solved"));
|
||||||
fooRepository.save(foo);
|
|
||||||
foo = null;
|
Foo foo = fooRepository.findByName("Exception Solved");
|
||||||
foo = fooRepository.findByName("Exception Solved");
|
|
||||||
|
|
||||||
assertThat(foo, notNullValue());
|
assertThat(foo, notNullValue());
|
||||||
assertThat(foo.getId(), is(1));
|
assertThat(foo.getId(), notNullValue());
|
||||||
assertThat(foo.getName(), is("Exception Solved"));
|
assertThat(foo.getName(), is("Exception Solved"));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -0,0 +1,49 @@
|
||||||
|
package com.baeldung.scopes;
|
||||||
|
|
||||||
|
import org.springframework.context.annotation.Bean;
|
||||||
|
import org.springframework.context.annotation.Configuration;
|
||||||
|
import org.springframework.context.annotation.Scope;
|
||||||
|
import org.springframework.context.annotation.ScopedProxyMode;
|
||||||
|
import org.springframework.web.context.annotation.ApplicationScope;
|
||||||
|
import org.springframework.web.context.annotation.RequestScope;
|
||||||
|
import org.springframework.web.context.annotation.SessionScope;
|
||||||
|
|
||||||
|
@Configuration
|
||||||
|
public class ScopesConfig {
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@Scope("singleton")
|
||||||
|
public Person personSingleton() {
|
||||||
|
return new Person();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@Scope("prototype")
|
||||||
|
public Person personPrototype() {
|
||||||
|
return new Person();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@RequestScope
|
||||||
|
public HelloMessageGenerator requestScopedBean() {
|
||||||
|
return new HelloMessageGenerator();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@SessionScope
|
||||||
|
public HelloMessageGenerator sessionScopedBean() {
|
||||||
|
return new HelloMessageGenerator();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@ApplicationScope
|
||||||
|
public HelloMessageGenerator applicationScopedBean() {
|
||||||
|
return new HelloMessageGenerator();
|
||||||
|
}
|
||||||
|
|
||||||
|
@Bean
|
||||||
|
@Scope(scopeName = "websocket", proxyMode = ScopedProxyMode.TARGET_CLASS)
|
||||||
|
public HelloMessageGenerator websocketScopedBean() {
|
||||||
|
return new HelloMessageGenerator();
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,4 +1,4 @@
|
||||||
## Spring `Exception`s
|
## Spring Exceptions
|
||||||
|
|
||||||
This module contains articles about Spring `Exception`s
|
This module contains articles about Spring `Exception`s
|
||||||
|
|
||||||
|
|
|
@ -0,0 +1,55 @@
|
||||||
|
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
|
||||||
|
<%@ taglib prefix="form" uri="http://www.springframework.org/tags/form" %>
|
||||||
|
|
||||||
|
<!DOCTYPE HTML>
|
||||||
|
<html>
|
||||||
|
<head>
|
||||||
|
<title>User Form</title>
|
||||||
|
<style>
|
||||||
|
body { background-color: #eee; font: helvetica; }
|
||||||
|
#container { width: 500px; background-color: #fff; margin: 30px auto; padding: 30px; border-radius: 5px; }
|
||||||
|
.green { font-weight: bold; color: green; }
|
||||||
|
.message { margin-bottom: 10px; }
|
||||||
|
label {width:160px; display:inline-block;}
|
||||||
|
input { display:inline-block; margin-right: 10px; }
|
||||||
|
form {line-height: 160%; }
|
||||||
|
.hide { display: none; }
|
||||||
|
.error { color: red; font-size: 0.9em; font-weight: bold; }
|
||||||
|
</style>
|
||||||
|
</head>
|
||||||
|
<body>
|
||||||
|
<div id="container">
|
||||||
|
|
||||||
|
<h2>New User</h2>
|
||||||
|
<c:if test="${not empty message}"><div class="message green">${message}</div></c:if>
|
||||||
|
|
||||||
|
<form:form action="/spring-mvc-basics/user" modelAttribute="newUserForm">
|
||||||
|
|
||||||
|
<form:errors path="" cssClass="error"/>
|
||||||
|
<br />
|
||||||
|
|
||||||
|
<label for="email">Email: </label>
|
||||||
|
<form:input path="email" id="emailInput" />
|
||||||
|
<form:errors path="email" cssClass="error" />
|
||||||
|
<br/>
|
||||||
|
|
||||||
|
<label for="verifyEmail">Verify email: </label>
|
||||||
|
<form:input path="verifyEmail" id="verifyEmailInput" />
|
||||||
|
<form:errors path="verifyEmail" cssClass="error" />
|
||||||
|
<br/>
|
||||||
|
|
||||||
|
<label for="password">Password: </label>
|
||||||
|
<form:input path="password" type="password" id="passwordInput" />
|
||||||
|
<form:errors path="password" cssClass="error" />
|
||||||
|
<br/>
|
||||||
|
|
||||||
|
<label for="verifyPassword">Verify password: </label>
|
||||||
|
<form:input path="verifyPassword" type="password" id="verifyPasswordInput" />
|
||||||
|
<form:errors path="verifyPassword" cssClass="error" />
|
||||||
|
<br/>
|
||||||
|
|
||||||
|
<input type="submit" value="Submit" />
|
||||||
|
</form:form>
|
||||||
|
</div>
|
||||||
|
</body>
|
||||||
|
</html>
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.config;
|
package com.baeldung.themes.config;
|
||||||
|
|
||||||
import org.springframework.context.annotation.Bean;
|
import org.springframework.context.annotation.Bean;
|
||||||
import org.springframework.dao.annotation.PersistenceExceptionTranslationPostProcessor;
|
import org.springframework.dao.annotation.PersistenceExceptionTranslationPostProcessor;
|
||||||
|
@ -27,7 +27,7 @@ public class DataSourceConfig {
|
||||||
public LocalContainerEntityManagerFactoryBean entityManagerFactory(DataSource dataSource) {
|
public LocalContainerEntityManagerFactoryBean entityManagerFactory(DataSource dataSource) {
|
||||||
LocalContainerEntityManagerFactoryBean em = new LocalContainerEntityManagerFactoryBean();
|
LocalContainerEntityManagerFactoryBean em = new LocalContainerEntityManagerFactoryBean();
|
||||||
em.setDataSource(dataSource);
|
em.setDataSource(dataSource);
|
||||||
em.setPackagesToScan("com.baeldung.domain");
|
em.setPackagesToScan("com.baeldung.themes.domain");
|
||||||
em.setJpaVendorAdapter(new HibernateJpaVendorAdapter());
|
em.setJpaVendorAdapter(new HibernateJpaVendorAdapter());
|
||||||
return em;
|
return em;
|
||||||
}
|
}
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.config;
|
package com.baeldung.themes.config;
|
||||||
|
|
||||||
import org.springframework.security.web.context.AbstractSecurityWebApplicationInitializer;
|
import org.springframework.security.web.context.AbstractSecurityWebApplicationInitializer;
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.config;
|
package com.baeldung.themes.config;
|
||||||
|
|
||||||
import org.springframework.beans.factory.annotation.Autowired;
|
import org.springframework.beans.factory.annotation.Autowired;
|
||||||
import org.springframework.context.annotation.Bean;
|
import org.springframework.context.annotation.Bean;
|
|
@ -1,6 +1,6 @@
|
||||||
package com.baeldung.config;
|
package com.baeldung.themes.config;
|
||||||
|
|
||||||
import com.baeldung.theme.resolver.UserPreferenceThemeResolver;
|
import com.baeldung.themes.resolver.UserPreferenceThemeResolver;
|
||||||
import org.springframework.context.annotation.Bean;
|
import org.springframework.context.annotation.Bean;
|
||||||
import org.springframework.context.annotation.ComponentScan;
|
import org.springframework.context.annotation.ComponentScan;
|
||||||
import org.springframework.context.annotation.Configuration;
|
import org.springframework.context.annotation.Configuration;
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.config;
|
package com.baeldung.themes.config;
|
||||||
|
|
||||||
import org.springframework.web.WebApplicationInitializer;
|
import org.springframework.web.WebApplicationInitializer;
|
||||||
import org.springframework.web.context.ContextLoaderListener;
|
import org.springframework.web.context.ContextLoaderListener;
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.controllers;
|
package com.baeldung.themes.controllers;
|
||||||
|
|
||||||
import org.springframework.stereotype.Controller;
|
import org.springframework.stereotype.Controller;
|
||||||
import org.springframework.web.bind.annotation.RequestMapping;
|
import org.springframework.web.bind.annotation.RequestMapping;
|
|
@ -1,4 +1,4 @@
|
||||||
package com.baeldung.domain;
|
package com.baeldung.themes.domain;
|
||||||
|
|
||||||
import javax.persistence.Entity;
|
import javax.persistence.Entity;
|
||||||
import javax.persistence.Id;
|
import javax.persistence.Id;
|
|
@ -1,6 +1,6 @@
|
||||||
package com.baeldung.repository;
|
package com.baeldung.themes.repository;
|
||||||
|
|
||||||
import com.baeldung.domain.UserPreference;
|
import com.baeldung.themes.domain.UserPreference;
|
||||||
import org.springframework.data.repository.PagingAndSortingRepository;
|
import org.springframework.data.repository.PagingAndSortingRepository;
|
||||||
|
|
||||||
public interface UserPreferenceRepository extends PagingAndSortingRepository<UserPreference, String> {
|
public interface UserPreferenceRepository extends PagingAndSortingRepository<UserPreference, String> {
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue