All you need is a negated character class [^<>]*
that will match any character but a <
or >
:
sed 's/<[^<>]*>//g'
Or, if you have round brackets you can use [^()]*
(note that in BRE syntax, to match a literal (
or )
escaping \
is not necessary):
sed 's/([^()]*)//g'
See IDEONE demo
As for the update, you can remove everything from WORD1
till WORD3
using .*
, but only if there is only one set of WORD1
and WORD3
(demo):
echo "WORD1 %WORD2% WORD3" | sed 's/WORD1.*WORD3/WORD1 WORD3/g'
With sed, it is not possible to use lookarounds (lookaheads here), nor lazy quantifiers to restrict the match to the leftmost WORD3
occurrences. And if you know for sure there is no %
symbol in between, you can still use the negated character class approach (demo):
echo "WORD1 %WORD2% WORD3" | sed 's/%[^%]*%//g'
A generic solution is to do it in several steps:
- replace the starting and ending delimiters with unused character (
<UC>
) (I am using Russian letters, but it should be some control character)
- use the negated character class
<UC1>[^<UC1><UC2>]*<UC2>
to replace with the necessary replacement string
- restore the initial delimiters.
Here is an example:
#!/bin/bash
echo "WORD1 %WORD2% WORD3 some text WORD1 %WORD2% WORD3" |
sed 's/WORD1/й/g' |
sed 's/WORD3/ч/g' |
sed 's/й[^йч]*ч/й ч/g' |
sed 's/й/WORD1/g' |
sed 's/ч/WORD3/g'
// => WORD1 WORD3 some text WORD1 WORD3
I am hardcoding a space, but it can be adjusted whenever necessary.