blob: 2fc29db87ea216b916314f598113fc9a9d65fe3d (
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
|
package split
import (
"strings"
)
func checkArrayElementsEmpty(array []string) bool {
for _, str := range array {
if str != "" {
return false
}
}
return true
}
func NewArrayWithSplit(initialArray []string, index int, token string, delimeter string) (result []string) {
split := strings.Split(token, delimeter)
splitLength := len(split)
/*
When a token only consists of delimeter * N (N >= 0),
the resulting split consists of N empty elements.
Here we check if it is so and essentialy remove that token
from resulting array.
*/
splitIsEmpty := checkArrayElementsEmpty(split)
if splitIsEmpty {
result = append(initialArray[:index], initialArray[index+1:]...)
return result
}
if splitLength > 1 {
if split[splitLength-1] == "" {
split = split[:splitLength-1]
}
result = append(initialArray[:index], append(split, initialArray[index+1:]...)...)
}
if splitLength == 1 {
result = initialArray
}
return result
}
|