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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
|
" Pattern to detect real-looking shebang to an absolute path
let s:shebang = '^#!\s*/[^/]\+'
" If the buffer looks shebanged, and the file being saved to doesn't exist
" yet, set up a hook to make it executable after the write is done done
function! shebang_create_exec#(filename) abort
" If the first line isn't a shebang, or the file exists, do nothing
if getline(1) !~# s:shebang || filereadable(a:filename)
return
endif
" Set a buffer variable to the target filename
let b:shebang_create_exec_filename = a:filename
" Set up a hook to run and clean up after the write
autocmd shebang_create_exec BufWritePost <buffer>
\ call s:Run(expand('<afile>:p'))
endfunction
" Clear away the hook that called us and make the file executable
function! s:Run(filename) abort
" Clear away the hook that called us
autocmd! shebang_create_exec BufWritePost <buffer>
" Check that the save filename was set by BufWritePre
if !exists('b:shebang_create_exec_filename')
return
endif
" Get argument filename into local variable
let filename = a:filename
" Check that it matches the file we just saved, and that the file exists,
" and if so, attempt to make it executable
if filename ==# b:shebang_create_exec_filename
\ && filereadable(filename)
call s:MakeExecutable(filename)
endif
" Clear away the save filename, even if we didn't change any permissions
unlet b:shebang_create_exec_filename
endfunction
" Make a given filename executable
function! s:MakeExecutable(filename) abort
" Get filename into local variable
let filename = a:filename
" How we do this depends on whether we have native file permissions
" functions (Vim >=8.0)
if exists('*setfperm')
" We have setfperm(), so we can make the file executable without a fork to
" chmod(1), which should be quick and safe
let cperm = getfperm(filename)
" Replace every third character of the permissions string with an 'x'
let nperm
\ = strpart(cperm, 0, 2).'x'
\ . strpart(cperm, 3, 2).'x'
\ . strpart(cperm, 6, 2).'x'
" If our new permissions string differs from the current one, apply it to
" the file
if nperm !=# cperm
call setfperm(filename, nperm)
endif
else
" We'll need to fork to chmod(1); escape the filename safely, using
" shellescape() if we've got it, or manual UNIX sh quoting if not
let filename_escaped = exists('*shellescape')
\ ? shellescape(filename)
\ : "'" . substitute(filename, "'", "'\\''", 'g') . "'"
" Try to make the file executable with a fork to chmod(1)
call system('chmod +x '.filename_escaped)
endif
endfunction
|