-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathindex.js
65 lines (63 loc) · 1.98 KB
/
index.js
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
import React from 'react'
const escape = str =>
typeof str === 'string'
? str.replace(new RegExp('"', 'g'), '"')
: String(str)
export default (template, tokenDict) => {
// "extract" tokens in template by splitting on token pattern
// so "you have {COUNT} friends in common with {NAME} "
// becomes ['you have', '{COUNT}', 'friends in common with', '{NAME}']
const templateParts = template.split(/(\{.+?\})/)
// loop over templateParts and replace tokens with corresponding values
// from tokenDict
const keyRegex = /\{(.+?)\}/
let jsxKeyCount = 0
let foundJsx = false
const renderedParts = templateParts.reduce((arr, part) => {
if (!part.length) {
return arr
}
if (!part.match(keyRegex)) {
// part is plain string.
return arr.concat(part)
}
const key = part.match(keyRegex)[1]
const val = tokenDict[key]
// if key isn't in the dict, leave the string alone
if (!val) {
return arr.concat(part)
}
// if the value is a react element, add a key and concat
if (React.isValidElement(val)) {
foundJsx = true
const jsxval = React.cloneElement(val, {
key: jsxKeyCount,
})
jsxKeyCount += 1
return arr.concat(jsxval)
}
// otherwise, treat it as a literal
return arr.concat(escape(val))
}, [])
if (foundJsx) {
// join consecutive string elements
// so ['you have ', '50', ' friends in common with', <Link href="/joe">Joe</Link>]
// becomes ['you have 50 friends in common with', <Link href="/joe">Joe</Link>]
let strAccum = ''
return renderedParts
.reduce((arr, part) => {
if (typeof part !== 'string') {
if (!strAccum.length) {
return arr.concat(part)
}
const flushedStr = strAccum
strAccum = ''
return arr.concat([flushedStr, part])
}
strAccum = strAccum.concat(part)
return arr
}, [])
.concat(strAccum)
}
return renderedParts.join('')
}