FZF-подобный способ быстрого перехода в каталог? Включить скрытые файлы в Vim FZF?
Я ищу способ быстро сменить каталог Vim на каталог, который я нахожу с помощью FZF-типа. Я понимаю, что это означает Fuzzy File Searcher, а не Fuzzy Directory Searcher, но я уверен, что есть аналогичный инструмент или скрытая функция, которую можно использовать и получить выгоду от столь быстрого переключения каталогов.
Пример: каталог, в который я хочу перейти: ~/Notes/Class 1/ 24.04.2020
Что я хочу напечатать:
:FZF class 1 04 24
Заранее спасибо!
Дополнительный вопрос: как мне включить в это скрытые каталоги? Если я хочу отредактировать свой файл конфигурации init.vim, скрытый в.config, как мне передать аргумент, который будет включать это?
РЕДАКТИРОВАТЬ: ответ на бонусный вопрос, описанный ниже.
2 ответа
Нашел ответ на "включая скрытые файлы".
В приведенном ниже примере я использую fdfind. Не стесняйтесь использовать все, что захотите!
command! -nargs=? -complete=dir AF
\ call fzf#run(fzf#wrap(fzf#vim#with_preview({
\ 'source': 'fdfind --type f --hidden --follow --exclude .git --no-ignore . '.expand(<q-args>)
\ })))
Вы справитесь с приведенным выше кодом, но если вы ищете более содержательное дополнение к конфигурации, вот вам:
" Terminal buffer options for fzf
autocmd! FileType fzf
autocmd FileType fzf set noshowmode noruler nonu
" nnoremap <silent> <Leader><Leader> :Files<CR>
nnoremap <silent> <expr> <Leader><Leader> (expand('%') =~ 'NERD_tree' ? "\<c-w>\<c-w>" : '').":Files\<cr>"
nnoremap <silent> <Leader>C :Colors<CR>
nnoremap <silent> <Leader><Enter> :Buffers<CR>
nnoremap <silent> <Leader>L :Lines<CR>
nnoremap <silent> <Leader>ag :Ag <C-R><C-W><CR>
nnoremap <silent> <Leader>AG :Ag <C-R><C-A><CR>
xnoremap <silent> <Leader>ag y:Ag <C-R>"<CR>
nnoremap <silent> <Leader>` :Marks<CR>
" nnoremap <silent> q: :History:<CR>
" nnoremap <silent> q/ :History/<CR>
" inoremap <expr> <c-x><c-t> fzf#complete('tmuxwords.rb --all-but-current --scroll 500 --min 5')
imap <c-x><c-k> <plug>(fzf-complete-word)
imap <c-x><c-f> <plug>(fzf-complete-path)
inoremap <expr> <c-x><c-d> fzf#vim#complete#path('blsd')
imap <c-x><c-j> <plug>(fzf-complete-file-ag)
imap <c-x><c-l> <plug>(fzf-complete-line)
function! s:plug_help_sink(line)
let dir = g:plugs[a:line].dir
for pat in ['doc/*.txt', 'README.md']
let match = get(split(globpath(dir, pat), "\n"), 0, '')
if len(match)
execute 'tabedit' match
return
endif
endfor
tabnew
execute 'Explore' dir
endfunction
command! PlugHelp call fzf#run(fzf#wrap({
\ 'source': sort(keys(g:plugs)),
\ 'sink': function('s:plug_help_sink')}))
function! RipgrepFzf(query, fullscreen)
let command_fmt = 'rg --column --line-number --no-heading --color=always --smart-case %s || true'
let initial_command = printf(command_fmt, shellescape(a:query))
let reload_command = printf(command_fmt, '{q}')
let options = {'options': ['--phony', '--query', a:query, '--bind', 'change:reload:'.reload_command]}
if a:fullscreen
let options = fzf#vim#with_preview(options)
endif
call fzf#vim#grep(initial_command, 1, options, a:fullscreen)
endfunction
command! -nargs=* -bang RG call RipgrepFzf(<q-args>, <bang>0)
Я написал функцию , которую храню в моем .bashrc, которую вы можете использовать для выбора любых файлов через fzf и передачи их в любую программу, которую вы хотите. Он работает как с программами с графическим интерфейсом, такими как vlc, evince и т. Д., Так и с инструментами командной строки, такими как cd, cat, tail, head и т. Д. Также вы можете вернуться к истории и найти команду в том виде, в котором она была расширена после того, как fzf сделал свое дело.
В вашем случае вы просто введите терминал:
f cd
и fzf запустится, после того, как вы выберете свой каталог, вы сразу же перейдете туда.
Я поставил функцию ниже, и я получил вдохновение для него здесь
# Run command/application and choose paths/files with fzf.
# Always return control of the terminal to user (e.g. when opening GUIs).
# The full command that was used will appear in your history just like any
# other (N.B. to achieve this I write the shell's active history to
# ~/.bash_history)
#
# Usage:
# f cd (hit enter, choose path)
# f cat (hit enter, choose files)
# f vim (hit enter, choose files)
# f vlc (hit enter, choose files)
f() {
# if no arguments passed, just lauch fzf
if [ $# -eq 0 ]
then
fzf
return 0
fi
# Store the program
program="$1"
# Remove first argument off the list
shift
# Store any option flags
options="$@"
# Store the arguments from fzf
arguments=$(fzf --multi)
# If no arguments passed (e.g. if Esc pressed), return to terminal
if [ -z "${arguments}" ]; then
return 1
fi
# Sanitise the command by putting single quotes around each argument, also
# first put an extra single quote next to any pre-existing single quotes in
# the raw argument. Put them all on one line.
for arg in "${arguments[@]}"; do
arguments=$(echo "$arg" | sed "s/'/''/g; s/.*/'&'/g; s/\n//g")
done
# If the program is on the GUI list, add a '&'
if [[ "$program" =~ ^(nautilus|zathura|evince|vlc|eog|kolourpaint)$ ]]; then
arguments="$arguments &"
fi
# Write the shell's active history to ~/.bash_history.
history -w
# Add the command with the sanitised arguments to .bash_history
echo $program $options $arguments >> ~/.bash_history
# Reload the ~/.bash_history into the shell's active history
history -r
# execute the last command in history
fc -s -1
}