E.g. say you have the line:
JavaScript
x
2
1
`Here's an example.` And another example.
2
How could you change only the second “example” to uppercase? E.g:
JavaScript
1
2
1
`Here's an example.` And another EXAMPLE.
2
Advertisement
Answer
You could split by backtick and then make the replacement in the even indexed chunks:
JavaScript
1
5
1
s = "`Here's an example.` And another example."
2
res = "`".join(part if i % 2 else part.replace("example", "EXAMPLE")
3
for i, part in enumerate(s.split("`"))
4
)
5
Or, with a regular expression you could look ahead and only make the replacement when the number of backticks that follow it, is even:
JavaScript
1
5
1
import re
2
3
s = "`Here's an example.` And another example."
4
res = re.sub(r"bexampleb(?=([^`]*`[^`]*`)*[^`]*$)", "EXAMPLE", s)
5