Wrap long template literal line to multiline without creating a new line in the string

JavascriptEcmascript 6Template Literals

Javascript Problem Overview


In es6 template literals, how can one wrap a long template literal to multiline without creating a new line in the string?

For example, if you do this:

const text = `a very long string that just continues
and continues and continues`

Then it will create a new line symbol to the string, as interpreting it to have a new line. How can one wrap the long template literal to multiple lines without creating the newline?

Javascript Solutions


Solution 1 - Javascript

If you introduce a line continuation (\) at the point of the newline in the literal, it won't create a newline on output:

const text = `a very long string that just continues\
and continues and continues`;
console.log(text); // a very long string that just continuesand continues and continues

Solution 2 - Javascript

This is an old one. But it came up. If you leave any spaces in the editor it will put them in there.

if
  const text = `a very long string that just continues\
  and continues and continues`;

just do the normal + symbol

if
  const text = `a very long string that just continues` +
  `and continues and continues`;

Solution 3 - Javascript

You could just eat the line breaks inside your template literal.

// Thanks to https://twitter.com/awbjs for introducing me to the idea
// here: https://esdiscuss.org/topic/multiline-template-strings-that-don-t-break-indentation

const printLongLine = continues => {
    const text = `a very long string that just ${continues}${''
                 } and ${continues} and ${continues}`;
    return text;
}
console.log(printLongLine('continues'));

Solution 4 - Javascript

Another option is to use Array.join, like so:

[
	'This is a very long string. ',
	'It just keeps going ',
	'and going ',
	'and going ',
	'and going ',
	'and going ',
	'and going ',
	'and going',
].join('')

Solution 5 - Javascript

EDIT: I've made an tiny NPM module with this utility. It works on web and in Node and I highly recommend it over the code in my below answer as it's far more robust. It also allows for preserving newlines in the result if you manually input them as \n, and provides functions for when you already use template literal tags for something else: https://github.com/iansan5653/compress-tag


I know I'm late to answer here, but the accepted answer still has the drawback of not allowing indents after the line break, which means you still can't write very nice-looking code just by escaping newlines.

Instead, why not use a tagged template literal function?

function noWhiteSpace(strings, ...placeholders) {
  // Build the string as normal, combining all the strings and placeholders:
  let withSpace = strings.reduce((result, string, i) => (result + placeholders[i - 1] + string));
  let withoutSpace = withSpace.replace(/\s\s+/g, ' ');
  return withoutSpace;
}

Then you can just tag any template literal you want to have line breaks in:

let myString = noWhiteSpace`This is a really long string, that needs to wrap over
    several lines. With a normal template literal you can't do that, but you can 
    use a template literal tag to allow line breaks and indents.`;

This does have the drawback of possibly having unexpected behavior if a future developer isn't used to the tagged template syntax or if you don't use a descriptive function name, but it feels like the cleanest solution for now.

Solution 6 - Javascript

Use the old and the new. Template literals are great but if you want to avoid lengthy literals so as to have compact lines of code, concatenate them and ESLint won't cause a fuss.

const text = `a very long string that just continues`
  +` and continues and continues`;
console.log(text);

Solution 7 - Javascript

Similar to Doug's answer this is accepted by my TSLint config and remains untouched by my IntelliJ auto-formatter:

const text = `a very long string that just ${
  continues
} and ${continues} and ${continues}`

Solution 8 - Javascript

I'm a bit late to the party, but for any future visits on this question, I found this soultion the most optimal for my use case.

I'm running a Node.js server and wanted to return html in string format, this is how I solved it:


My response object:

const httpResponse = {
	message: 'Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent ultrices et odio eget blandit. Donec non tellus diam. Duis massa augue, cursus a ornare vel, pharetra ac turpis.',
	html: `
		<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit.</p>
		<p>Praesent ultrices et odio eget blandit.</p>
		<ul>
			<li>Donec non tellus diam</li>
			<li>Duis massa augue</li>
		</ul>
	`,
}

This would translate into the following when sending a http request:

{
    "message": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent ultrices et odio eget blandit. Donec non tellus diam. Duis massa augue, cursus a ornare vel, pharetra ac turpis.",
    "html": "\n\t\t<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit.</p>\n\t\t<p>Praesent ultrices et odio eget blandit.</p>\n\t\t<ul>\n\t\t\t<li>Donec non tellus diam</li>\n\t\t\t<li>Duis massa augue</li>\n\t\t</ul>\n\t"
}

This is of course ugly and hard to work with. So before I sending the http I trim every line of the string.

httpResponse.html = httpResponse.html.split('\n').map(line => line.trim()).join('')

This is what the result looks like after that simple line of code.

{
    "message": "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent ultrices et odio eget blandit. Donec non tellus diam. Duis massa augue, cursus a ornare vel, pharetra ac turpis.",
    "html": "<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit.</p><p>Praesent ultrices et odio eget blandit.</p><ul><li>Donec non tellus diam</li><li>Duis massa augue</li></ul>"
}

Solution 9 - Javascript

The solution proposed by @CodingIntrigue is not working for me on node 7. Well, it works if I do not use a line continuation on the first line, it fails otherwise.

This is probably not the best solution, but it works without problems:

(`
    border:1px solid blue;
    border-radius:10px;
    padding: 14px 25px;
    text-decoration:none;
    display: inline-block;
    text-align: center;`).replace(/\n/g,'').trim();

Solution 10 - Javascript

If your problem is the opposite and you need to keep the line breaks but for some reason, they are not being respected, just add the css property in the text container:

#yourTextContainer {
  white-space: pre-line;
}

Solution 11 - Javascript

this npm package allows you to do the following...

import { oneLine } from 'common-tags';

const foo = oneLine`foo
bar
baz`;

console.log(foo); // foo bar baz

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionVille Miekk-ojaView Question on Stackoverflow
Solution 1 - JavascriptCodingIntrigueView Answer on Stackoverflow
Solution 2 - JavascriptMonte JonesView Answer on Stackoverflow
Solution 3 - JavascriptDoug CoburnView Answer on Stackoverflow
Solution 4 - JavascriptLiran HView Answer on Stackoverflow
Solution 5 - JavascriptIanView Answer on Stackoverflow
Solution 6 - JavascriptRaymond WachagaView Answer on Stackoverflow
Solution 7 - JavascriptDaniel KView Answer on Stackoverflow
Solution 8 - JavascriptJonathan NielsenView Answer on Stackoverflow
Solution 9 - JavascriptDanielo515View Answer on Stackoverflow
Solution 10 - JavascriptJuanma MenendezView Answer on Stackoverflow
Solution 11 - Javascriptshunryu111View Answer on Stackoverflow