-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSwitchExpressionTest.java
79 lines (66 loc) · 2.25 KB
/
SwitchExpressionTest.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
package com.github.hubertwo.playground.java16.swtichexpression;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import static org.assertj.core.api.Assertions.assertThat;
/**
* {@see <a href="https://openjdk.java.net/jeps/361">JEP 361</a>}
*/
class SwitchExpressionTest {
@Test
@DisplayName("Arrow labels in switch expressions")
void arrowLabels() {
EnergySource givenEnergySource = EnergySource.WIND;
// Assigning switch statement result directly to value
boolean isEco = switch (givenEnergySource) {
case WIND, SOLAR, WATER -> true /* implicit return */;
case COAL, OIL -> false;
default -> throw new IllegalArgumentException("It depends");
};
assertThat(isEco).isTrue();
}
@Test
@DisplayName("Yield statement in switch expression")
void yieldStatement() {
EnergySource givenEnergySource = EnergySource.WIND;
/**
* Try to remove "String actualCategory = "
* What's the difference between switch statement and switch expression?
* {@link #SwitchExpressionTest#switchStatement}
*/
String actualCategory = switch (givenEnergySource) {
case WIND:
case SOLAR, WATER:
// Works as return but in scope of switch expression
// Will return work here?
yield "renewable";
case NUCLEAR:
case COAL:
case OIL: {
yield "nonrenewable";
}
};
assertThat(actualCategory).isEqualTo("renewable");
}
@Test
@DisplayName("Switch statement")
void switchStatement() {
EnergySource givenEnergySource = EnergySource.WIND;
String actualCategory = null;
switch (givenEnergySource) {
case WIND:
case SOLAR, WATER:
// Will yield work here?
actualCategory = "renewable";
break;
case NUCLEAR:
case COAL:
case OIL: {
actualCategory = "nonrenewable";
break;
}
}
assertThat(actualCategory)
.isNotNull()
.isEqualTo("renewable");
}
}