Это интригующий вопрос.
Я думаю, что @sixtyfootersdude имеет правильную идею - пусть подсветка синтаксиса Vim скажет вам, что такое комментарий, а что нет, а затем поиск совпадений в не-комментариях.
Давайте начнем с функции, которая имитирует встроенную подпрограмму Vim search()
, но также предоставляет параметр «skip», позволяющий игнорировать некоторые совпадения:
function! SearchWithSkip(pattern, flags, stopline, timeout, skip)
"
" Returns true if a match is found for {pattern}, but ignores matches
" where {skip} evaluates to false. This allows you to do nifty things
" like, say, only matching outside comments, only on odd-numbered lines,
" or whatever else you like.
"
" Mimics the built-in search() function, but adds a {skip} expression
" like that available in searchpair() and searchpairpos().
" (See the Vim help on search() for details of the other parameters.)
"
" Note the current position, so that if there are no unskipped
" matches, the cursor can be restored to this location.
"
let l:matchpos = getpos('.')
" Loop as long as {pattern} continues to be found.
"
while search(a:pattern, a:flags, a:stopline, a:timeout) > 0
" If {skip} is true, ignore this match and continue searching.
"
if eval(a:skip)
continue
endif
" If we get here, {pattern} was found and {skip} is false,
" so this is a match we don't want to ignore. Update the
" match position and stop searching.
"
let l:matchpos = getpos('.')
break
endwhile
" Jump to the position of the unskipped match, or to the original
" position if there wasn't one.
"
call setpos('.', l:matchpos)
endfunction
Вот парафункции, основанные на SearchWithSkip()
для реализации поиска, чувствительного к синтаксису:
function! SearchOutside(synName, pattern)
"
" Searches for the specified pattern, but skips matches that
" exist within the specified syntax region.
"
call SearchWithSkip(a:pattern, '', '', '',
\ 'synIDattr(synID(line("."), col("."), 0), "name") =~? "' . a:synName . '"' )
endfunction
function! SearchInside(synName, pattern)
"
" Searches for the specified pattern, but skips matches that don't
" exist within the specified syntax region.
"
call SearchWithSkip(a:pattern, '', '', '',
\ 'synIDattr(synID(line("."), col("."), 0), "name") !~? "' . a:synName . '"' )
endfunction
Вот команды, облегчающие использование функций поиска, чувствительных к синтаксису:
command! -nargs=+ -complete=command SearchOutside call SearchOutside(<f-args>)
command! -nargs=+ -complete=command SearchInside call SearchInside(<f-args>)
Это былодолгий путь, но теперь мы можем сделать что-то вроде этого:
:SearchInside String hello
Это ищет hello
, но только внутри текста, который Vim считает строкой.
И (наконец!) это ищет double
везде, кроме комментариев:
:SearchOutside Comment double
Чтобы повторить поиск, используйте макрос @:
для повторного выполнения одной и той же команды, например, нажмите n
, чтобы повторить поиск.
(СпасибоКстати, для того, чтобы задать этот вопрос.Теперь, когда я создал эти подпрограммы, я ожидаю, что они будут часто использоваться.)