blob: 877e0edf68d50e06ac5129ffc3b5e33f9368da66 (
plain)
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
91
92
93
94
95
96
97
98
|
package at.hannibal2.skyhanni.utils
import org.intellij.lang.annotations.Language
import java.text.DecimalFormat
import java.util.*
object StringUtils {
private val durationFormat = DecimalFormat("00")
fun String.firstLetterUppercase(): String {
if (isEmpty()) return this
val lowercase = this.lowercase()
val first = lowercase[0].uppercase()
return first + lowercase.substring(1)
}
fun String.removeColor(): String {
// return replace("(?i)\\u00A7.", "")
val builder = StringBuilder()
var skipNext = false
for (c in this.toCharArray()) {
if (c == '§') {
skipNext = true
continue
}
if (skipNext) {
skipNext = false
continue
}
builder.append(c)
}
return builder.toString()
}
fun formatDuration(seconds: Long, decimalFormat: Boolean = false): String {
var sec: Long = seconds
var minutes: Long = sec / 60
sec %= 60
var hours = minutes / 60
minutes %= 60
val days = hours / 24
hours %= 24
val formatHours = durationFormat.format(hours)
val formatMinutes = durationFormat.format(minutes)
val formatSeconds = durationFormat.format(sec)
if (decimalFormat) {
return "$formatMinutes:$formatSeconds"
}
if (days > 0) {
return "${days}d $formatHours:$formatMinutes:$formatSeconds"
}
if (hours > 0) {
return "$formatHours:$formatMinutes:$formatSeconds".removeAtBeginning("0")
}
if (minutes > 0) {
return "$formatMinutes:$formatSeconds".removeAtBeginning("0")
}
if (sec > 0) {
return "${sec}s"
}
return "Now"
}
/**
* From https://stackoverflow.com/questions/10711494/get-values-in-treemap-whose-string-keys-start-with-a-pattern
*/
fun <T> subMapWithKeysThatAreSuffixes(prefix: String, map: NavigableMap<String?, T>): Map<String?, T>? {
if ("" == prefix) return map
val lastKey = createLexicographicallyNextStringOfTheSameLength(prefix)
return map.subMap(prefix, true, lastKey, false)
}
fun createLexicographicallyNextStringOfTheSameLength(input: String): String {
val lastCharPosition = input.length - 1
val inputWithoutLastChar = input.substring(0, lastCharPosition)
val lastChar = input[lastCharPosition]
val incrementedLastChar = (lastChar.code + 1).toChar()
return inputWithoutLastChar + incrementedLastChar
}
fun UUID.toDashlessUUID(): String {
return toString().replace("-", "")
}
fun String.matchRegex(@Language("RegExp") regex: String): Boolean = regex.toRegex().matches(this)
private fun String.removeAtBeginning(text: String): String = if (this.startsWith(text)) substring(text.length) else this
}
|