-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathFlyWeightDemoForFormattedText.java
90 lines (72 loc) · 2.38 KB
/
FlyWeightDemoForFormattedText.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
80
81
82
83
84
85
86
87
88
89
90
package flyweight;
import java.util.ArrayList;
import java.util.List;
class FormattedText {
private String plainText;
private boolean[] capitalize;
public FormattedText(String plainText) {
this.plainText = plainText;
capitalize = new boolean[plainText.length()];
}
public void capitalize(int start, int end) {
for (int i = start; i < end; i++) {
capitalize[i] = true;
}
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < plainText.length(); i++) {
char c = plainText.charAt(i);
sb.append(capitalize[i] ? Character.toUpperCase(c) : c);
}
return sb.toString();
}
}
class BetterFormattedText {
private String plainText;
private List<TextRange> formatting = new ArrayList<>();
public BetterFormattedText(String plainText) {
this.plainText = plainText;
}
public TextRange getRange(int start, int end) {
TextRange range = new TextRange(start, end);
formatting.add(range);
return range;
}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < plainText.length(); i++) {
char c = plainText.charAt(i);
for (TextRange range : formatting) {
if (range.capitalize && range.covers(i)) {
c = Character.toUpperCase(c);
}
}
sb.append(c);
}
return sb.toString();
}
public class TextRange {
public int start, end;
public boolean capitalize, bold, italic;
public TextRange(int start, int end) {
this.start = start;
this.end = end;
}
public boolean covers(int position) {
return position >= start && position <= end;
}
}
}
public class FlyWeightDemoForFormattedText {
public static void main(String[] args) {
FormattedText formattedText = new FormattedText("This is the most powerful text app.");
formattedText.capitalize(10, 15);
System.out.println(formattedText);
BetterFormattedText betterFormattedText = new BetterFormattedText("Here is a better formatted text");
betterFormattedText.getRange(10, 15).capitalize = true;
System.out.println(betterFormattedText);
}
}