-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathReplaceConsequentSpacesWithOne.java
48 lines (39 loc) · 1.39 KB
/
ReplaceConsequentSpacesWithOne.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
package by.andd3dfx.string;
import java.util.Arrays;
/**
* <pre>
* Заменить последовательности пробелов в строке на одиночные пробелы, например:
* "some string " -> "some string "
*
* Желательно: O(n) по времени, O(1) по памяти.
* Считается, что строка в языке mutable; если это не так, то можно считать,
* что в функцию передается изменяемый массив с символами.
* </pre>
*
* @see <a href="https://youtu.be/2jszDhWtLes">Video solution</a>
*/
public class ReplaceConsequentSpacesWithOne {
public static char[] apply(char[] str) {
boolean spaceFound = false;
int current = 0;
int newEnd = 0;
while (current < str.length) {
if (str[current] == ' ') {
if (spaceFound) {
current++;
continue;
}
spaceFound = true;
} else {
spaceFound = false;
}
copy(str, current, newEnd);
newEnd++;
current++;
}
return Arrays.copyOfRange(str, 0, newEnd);
}
private static void copy(char[] str, int from, int to) {
str[to] = str[from];
}
}