Edited because i wasn’t clear enough
I have some text from a .txt file, that i want to display on a HTML page. I want to have a linebreak before- and after an uppercase line, but not for standalone words. Like if more than 2 words are uppercase, they should be on a seperate line, but not if its only one word.
JavaScript
x
18
18
1
const text1 = "I want THIS ON A SEPERATE LINE but not THIS text here";
2
3
function convertText(text) {
4
check for uppercase line .
5
document.write(modifiedText)
6
}
7
convertText(text1);
8
9
10
/*
11
Wanted result:
12
13
I want
14
THIS ON A SEPERATE LINE
15
but not THIS text here
16
*/
17
18
How can I do this?
Advertisement
Answer
You’ll need to split each word up, put them into groups of capitalised and non-capitalised and then iterate through those groups, checking each word to find if there are multiple capitalised words in each group. Something like the following should do the job:
JavaScript
1
53
53
1
function convertText(text) {
2
const words = text.split(' '); // split the string into an array of word strings
3
let currentLine = '';
4
// groups of words of the same case
5
const wordGroups = [];
6
let lastWordWasAllCaps = false;
7
8
// group words by case
9
for (const word of words) {
10
if (word === word.toUpperCase()) {
11
if(!lastWordWasAllCaps) {
12
// word is in block capitals, but the last one wasn't
13
wordGroups.push(currentLine);
14
currentLine = word;
15
} else {
16
currentLine = currentLine.concat(' ', word);
17
}
18
lastWordWasAllCaps = true;
19
} else {
20
if (lastWordWasAllCaps) {
21
// word is not in block capitals, but the last one was
22
wordGroups.push(currentLine);
23
currentLine = word;
24
} else {
25
currentLine = currentLine.concat(' ', word);
26
}
27
lastWordWasAllCaps = false;
28
}
29
}
30
// push the last line
31
wordGroups.push(currentLine);
32
33
let finalString = '';
34
let breakNextLine = true;
35
// now look through the groups of words and join any single full capital words to their siblings
36
for (const wordGroup of wordGroups) {
37
// if a group is all caps and has no spaces, join it without a line break
38
if (wordGroup === wordGroup.toUpperCase() && !wordGroup.includes(' ')) {
39
finalString = finalString.concat(' ', wordGroup);
40
// tell the next set to join without a line break
41
breakNextLine = false;
42
} else {
43
if (breakNextLine) {
44
finalString = finalString.concat('n', wordGroup);
45
} else {
46
finalString = finalString.concat(' ', wordGroup);
47
}
48
breakNextLine = true;
49
}
50
}
51
return finalString.slice(2); // remove the added spaces at the start
52
}
53