-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathfs.lua
1938 lines (1656 loc) · 59.6 KB
/
fs.lua
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
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
--[=[
Portable filesystem API for Windows, Linux and OSX.
Written by Cosmin Apreutesei. Public Domain.
FEATURES
* utf8 filenames on all platforms
* symlinks and hard links on all platforms
* memory mapping on all platforms
* some error code unification for common error cases
* cdata buffer-based I/O
* platform-specific functionality exposed
FILE OBJECTS
[try_]open(opt | path,[mode],[quiet]) -> f open file
f:[try_]close() close file
f:closed() -> true|false check if file is closed
isfile(f [,'file'|'pipe']) -> true|false check if f is a file or pipe
f.handle -> HANDLE Windows HANDLE (Windows platforms)
f.fd -> fd POSIX file descriptor (POSIX platforms)
PIPES
[try_]pipe([opt]) -> rf, wf create an anonymous pipe
[try_]pipe(path|{path=,...}) -> pf create/open a named pipe
[try_]mkfifo(path|{path=,...}) -> true create a named pipe (POSIX)
STDIO STREAMS
f:stream(mode) -> fs open a FILE* object from a file
fs:[try_]close() close the FILE* object
MEMORY STREAMS
open_buffer(buf, [size], [mode]) -> f create a memory stream
FILE I/O
f:[try_]read(buf, len) -> readlen read data from file
f:[try_]readn(buf, n) -> buf, n read exactly n bytes
f:[try_]readall([ignore_file_size]) -> buf, len read until EOF into a buffer
f:[try_]write(s | buf,len) -> true write data to file
f:[try_]flush() flush buffers
f:[try_]seek([whence] [, offset]) -> pos get/set the file pointer
f:[try_]skip(n) -> n skip bytes
f:[try_]truncate([opt]) truncate file to current file pointer
f:[un]buffered_reader([bufsize]) -> read(buf, sz) get read(buf, sz)
OPEN FILE ATTRIBUTES
f:attr([attr]) -> val|t get/set attribute(s) of open file
f:size() -> n get file size
DIRECTORY LISTING
ls(dir, [opt]) -> d, next directory contents iterator
d:next() -> name, d call the iterator explicitly
d:[try_]close() close iterator
d:closed() -> true|false check if iterator is closed
d:name() -> s dir entry's name
d:dir() -> s dir that was passed to ls()
d:path() -> s full path of the dir entry
d:attr([attr, ][deref]) -> t|val get/set dir entry attribute(s)
d:is(type, [deref]) -> t|f check if dir entry is of type
scandir(path|{path1,...}, [dive]) -> iter() -> sc recursive dir iterator
sc:close()
sc:closed() -> true|false
sc:name([depth]) -> s
sc:dir([depth]) -> s
sc:path([depth]) -> s
sc:relpath([depth]) -> s
sc:attr([attr, ][deref]) -> t|val
sc:depth([n]) -> n (from 1)
FILE ATTRIBUTES
[try_]file_attr(path, [attr, ][deref]) -> t|val get/set file attribute(s)
file_is(path, [type], [deref]) -> t|f,['not_found'] check if file exists or is of a certain type
exists = file_is
checkexists(path, [type], [deref]) assert that file exists
[try_]mtime(path, [deref]) -> ts get file's modification time
[try_]chmod(path, perms, [quiet]) -> path change a file or dir's permissions
FILESYSTEM OPS
cwd() -> path get current working directory
abspath(path[, cwd]) -> path convert path to absolute path
startcwd() -> path get the cwd that process started with
[try_]chdir(path) set current working directory
run_indir(dir, fn) run function in specified cwd
[try_]mkdir(dir, [recursive], [perms], [quiet]) -> dir make directory
[try_]rm[dir|file](path, [quiet]) remove directory or file
[try_]rm_rf(path, [quiet]) like `rm -rf`
[try_]mkdirs(file, [perms], [quiet]) -> file make file's dir
[try_]mv(old_path, new_path, [dst_dirs_perms], [quiet]) rename/move file or dir on the same filesystem
SYMLINKS & HARDLINKS
[try_]mksymlink(symlink, path, is_dir, [quiet]) create a symbolic link for a file or dir
[try_]mkhardlink(hardlink, path, [quiet]) create a hard link for a file
[try_]readlink(path) -> path dereference a symlink recursively
COMMON PATHS
homedir() -> path get current user's home directory
tmpdir() -> path get the temporary directory
exepath() -> path get the full path of the running executable
exedir() -> path get the directory of the running executable
appdir([appname]) -> path get the current user's app data dir
scriptdir() -> path get the directory of the main script
vardir() -> path get script's private r/w directory
varpath(...) -> path get vardir-relative path
LOW LEVEL
file_wrap_handle(HANDLE, [opt]) -> f wrap opened HANDLE (Windows)
file_wrap_fd(fd, [opt], ...) -> f wrap opened file descriptor
file_wrap_file(FILE*, [opt]) -> f wrap opened FILE* object
fileno(FILE*) -> fd get stream's file descriptor
MEMORY MAPPING
mmap(...) -> map create a memory mapping
f:map([offset],[size],[addr],[access]) -> map create a memory mapping
map.addr a void* pointer to the mapped memory
map.size size of the mapped memory in bytes
map:flush([async, ][addr, size]) flush (parts of) the mapping to disk
map:free() release the memory and associated resources
unlink_mapfile(tagname) remove the shared memory file from disk (Linux, OSX)
map:unlink()
mirror_buffer([size], [addr]) -> map create a mirrored memory-mapped ring buffer
pagesize() -> bytes get allocation granularity
aligned_size(bytes[, dir]) -> bytes next/prev page-aligned size
aligned_addr(ptr[, dir]) -> ptr next/prev page-aligned address
FILESYSTEM INFO
fs_info(path) -> {size=, free=} get free/total disk space for a path
HI-LEVEL APIs
[try_]load[_tobuffer](path, [default], [ignore_fsize]) -> buf,len read file to string or buffer
[try_]save(path, s, [sz], [perms], [quiet]) atomic save value/buffer/array/read-results
file_saver(path) -> f(v | buf,len | t | read) atomic save writer function
touch(file, [mtime], [btime], [quiet])
cp(src_file, dst_file)
The `deref` arg is true by default, meaning that by default, symlinks are
followed recursively and transparently where this option is available.
FILE ATTRIBUTES
attr | Win | OSX | Linux | Description
--------------+--------+--------+----------+--------------------------------
type | r | r | r | file type (see below)
size | r | r | r | file size
atime | rw | rw | rw | last access time (seldom correct)
mtime | rw | rw | rw | last contents-change time
btime | rw | r | | creation (aka "birth") time
ctime | rw | r | r | last metadata-or-contents-change time
target | r | r | r | symlink's target (nil if not symlink)
dosname | r | | | 8.3 filename (Windows)
archive | rw | | | archive bit (for backup programs)
hidden | rw | | | hidden bit (don't show in Explorer)
readonly | rw | | | read-only bit (can't open in write mode)
system | rw | | | system bit
temporary | rw | | | writes need not be commited to storage
not_indexed | rw | | | exclude from indexing
sparse_file | r | | | file is sparse
reparse_point | r | | | has a reparse point or is a symlink
compressed | r | | | file is compressed
encrypted | r | | | file is encrypted
perms | | rw | rw | permissions
uid | | rw | rw | user id
gid | | rw | rw | group id
dev | | r | r | device id containing the file
inode | | r | r | inode number (int64_t)
volume | r | | | volume serial number
id | r | | | file id (int64_t)
nlink | r | r | r | number of hard links
rdev | | r | r | device id (if special file)
blksize | | r | r | block size for I/O
blocks | | r | r | number of 512B blocks allocated
On the table above, `r` means that the attribute is read/only and `rw` means
that the attribute can be changed. Attributes can be queried and changed via
`f:attr()`, `file_attr()` and `d:attr()`.
NOTE: File sizes and offsets are Lua numbers not 64bit ints, so they can hold
at most 8KTB.
FILE TYPES
name | Win | OSX | Linux | description
-------------+--------+--------+----------+---------------------------------
file | * | * | * | file is a regular file
dir | * | * | * | file is a directory
symlink | * | * | * | file is a symlink
dev | * | | | file is a Windows device
blockdev | | * | * | file is a block device
chardev | | * | * | file is a character device
pipe | | * | * | file is a pipe
socket | | * | * | file is a socket
unknown | | * | * | file type unknown
NORMALIZED ERROR MESSAGES
not_found file/dir/path not found
io_error I/O error
access_denied access denied
already_exists file/dir already exists
is_dir trying this on a directory
not_empty dir not empty (for remove())
io_error I/O error
disk_full no space left on device
File Objects -----------------------------------------------------------------
[try_]open(opt | path,[mode],[quiet]) -> f
Open/create a file for reading and/or writing. The second arg can be a string:
'r' : open; allow reading only (default)
'r+' : open; allow reading and writing
'w' : open and truncate or create; allow writing only
'w+' : open and truncate or create; allow reading and writing
'a' : open and seek to end or create; allow writing only
'a+' : open and seek to end or create; allow reading and writing
... or an options table with platform-specific options which represent
OR-ed bitmask flags which must be given either as 'foo bar ...',
{foo=true, bar=true} or {'foo', 'bar'}, eg. {sharing = 'read write'}
sets the `dwShareMode` argument of CreateFile() to
`FILE_SHARE_READ | FILE_SHARE_WRITE` on Windows.
All fields and flags are documented in the code.
field | OS | reference | default
----------+--------------+--------------------------------------+----------
access | Windows | CreateFile() / dwDesiredAccess | 'file_read'
sharing | Windows | CreateFile() / dwShareMode | 'file_read'
creation | Windows | CreateFile() / dwCreationDisposition | 'open_existing'
attrs | Windows | CreateFile() / dwFlagsAndAttributes | ''
flags | Windows | CreateFile() / dwFlagsAndAttributes | ''
flags | Linux, OSX | open() / flags | 'rdonly'
perms | Linux, OSX | octal or symbolic perms | '0666' / 'rwx'
inheritable | all | sub-processes inherit the fd/handle | false
The `perms` arg is passed to unixperms_parse().
The `inheritable` flag is false by default on both files and pipes
to prevent leaking them to sub-processes.
Pipes ------------------------------------------------------------------------
[try_]pipe([opt]) -> rf, wf
Create an anonymous (unnamed) pipe. Return two files corresponding to the
read and write ends of the pipe.
Options:
* `inheritable`, `read_inheritable`, `write_inheritable`: make one
or both pipes inheritable by sub-processes.
NOTE: If you're using async anonymous pipes in Windows _and_ you're
also creating multiple Lua states _per OS thread_, make sure to set
a unique `lua_state_id` per Lua state to distinguish them. That is because
in Windows, async anonymous pipes are emulated using named pipes.
[try_]pipe(path|{path=,...}) -> pf
Create and open a named pipe.
On Windows, named pipes must be created in the special hidden directory
`\\.\pipe`. After creation they can be opened for reading and writing
from any process like normal files. They cannot be removed and are not
persistent. A named pipe is freed when the last handle to it is closed.
On POSIX systems, named pipes are persistent and can be created in any
directory as they are just a type of file.
[try_]mkfifo(path, [perms], [quiet]) -> true[,'already_exists']
Create a named pipe (POSIX).
Stdio Streams ----------------------------------------------------------------
f:stream(mode) -> fs
Open a `FILE*` object from a file. The file should not be used anymore while
a stream is open on it and `fs:close()` should be called to close the file.
fs:[try_]close()
Close the `FILE*` object and the underlying file object.
Memory Streams ---------------------------------------------------------------
open_buffer(buf, [size], [mode]) -> f
Create a memory stream for reading and writing data from and into a buffer
using the file API. Only opening modes 'r' and 'w' are supported.
File I/O ---------------------------------------------------------------------
f:[try_]read(buf, len) -> readlen
Read data from file. Returns (and keeps returning) 0 on EOF or broken pipe.
f:[try_]readn(buf, len) -> buf, len
Read data from file until `len` is read.
Partial reads are signaled with `nil, err, readlen`.
f:[try_]readall() -> buf, len
Read until EOF into a buffer.
f:[try_]write(s | buf,len) -> true
Write data to file.
Partial writes are signaled with `nil, err, writelen`.
f:[try_]flush()
Flush buffers.
f:[try_]seek([whence] [, offset]) -> pos
Get/set the file pointer. Same semantics as standard `io` module seek
i.e. `whence` defaults to `'cur'` and `offset` defaults to `0`.
f:[try_]truncate(size, [opt])
Truncate file to given `size` and move the current file pointer to `EOF`.
This can be done both to shorten a file and thus free disk space, or to
preallocate disk space to be subsequently filled (eg. when downloading a file).
... On Linux
`opt` is an optional string for Linux which can contain any of the words
`fallocate` (call `fallocate()`) and `fail` (do not call `ftruncate()`
if `fallocate()` fails: return an error instead). The problem with calling
`ftruncate()` if `fallocate()` fails is that on most filesystems, that
creates a sparse file which doesn't help if what you want is to actually
reserve space on the disk, hence the `fail` option. The default is
`'fallocate fail'` which should never create a sparse file, but it can be
slow on some file systems (when it's emulated) or it can just fail
(like on virtual filesystems).
Btw, seeking past EOF and writing something there will also create a sparse
file, so there's no easy way out of this complexity.
... On Windows
On NTFS truncation is smarter: disk space is reserved but no zero bytes are
written. Those bytes are only written on subsequent write calls that skip
over the reserved area, otherwise there's no overhead.
f:[un]buffered_reader([bufsize]) -> read(buf, len)
Returns a `read(buf, len) -> readlen` function which reads ahead from file
in order to lower the number of syscalls. `bufsize` specifies the buffer's
size (default is 64K). The unbuffered version doesn't use a buffer.
Open file attributes ---------------------------------------------------------
f:attr([attr]) -> val|t
Get/set attribute(s) of open file. `attr` can be:
* nothing/nil: get the values of all attributes in a table.
* string: get the value of a single attribute.
* table: set one or more attributes.
Directory listing ------------------------------------------------------------
ls([dir], [opt]) -> d, next
Directory contents iterator. `dir` defaults to '.'.
`opt` is a string that can include:
* `..` : include `.` and `..` dir entries (excluded by default).
USAGE
for name, d in ls() do
if not name then
print('error: ', d)
break
end
print(d:attr'type', name)
end
Always include the `if not name` condition when iterating. The iterator
doesn't raise any errors. Instead it returns `false, err` as the
last iteration when encountering an error. Initial errors from calling
`ls()` (eg. `'not_found'`) are passed to the iterator also, so the
iterator must be called at least once to see them.
d:next() -> name, d | false, err | nil
Call the iterator explicitly.
d:close()
Close the iterator. Always call `d:close()` before breaking the for loop
except when it's an error (in which case `d` holds the error message).
d:closed() -> true|false
Check if the iterator is closed.
d:name() -> s
The name of the current file or directory being iterated.
d:dir() -> s
The directory that was passed to `ls()`.
d:path() -> s
The full path of the current dir entry (`d:dir()` combined with `d:name()`).
d:attr([attr, ][deref]) -> t|val
Get/set dir entry attribute(s).
`deref` means return the attribute(s) of the symlink's target if the file is
a symlink (`deref` defaults to `true`!). When `deref=true`, even the `'type'`
attribute is the type of the target, so it will never be `'symlink'`.
Some attributes for directory entries are free to get (but not for symlinks
when `deref=true`) meaning that they don't require a system call for each
file, notably `type` on all platforms, `atime`, `mtime`, `btime`, `size`
and `dosname` on Windows and `inode` on Linux and OSX.
d:is(type, [deref]) -> true|false
Check if dir entry is of type.
scandir(path|{path1,...}, [dive]) -> iter() -> sc
Recursive dir walker. All sc methods return `nil,err` if an error occured
on the current dir entry, but the iteration otherwise continues, unless
you call close() to stop it.
* `depth` arg can be 0=sc:depth(), 1=first-level, -1=parent-level, etc.
* `dive(sc) -> true` is an optional filter to skip from diving into dirs.
sc:close()
sc:closed() -> true|false
sc:name([depth]) -> s
sc:dir([depth]) -> s
sc:path([depth]) -> s
sc:relpath([depth]) -> s
sc:attr([attr, ][deref]) -> t|val
sc:depth([n]) -> n (from 1)
File attributes --------------------------------------------------------------
[try_]file_attr(path, [attr, ][deref]) -> t|val
Get/set a file's attribute(s) given its path in utf8.
file_is(path, [type], [deref]) -> true|false, ['not_found']
Check if file exists or if it is of a certain type.
Filesystem operations --------------------------------------------------------
mkdir(path, [recursive], [perms])
Make directory. `perms` can be a number or a string passed to unixperms_parse().
NOTE: In recursive mode, if the directory already exists this function
returns `true, 'already_exists'`.
fileremove(path, [recursive])
Remove a file or directory (recursively if `recursive=true`).
filemove(path, newpath, [opt])
Rename/move a file on the same filesystem. On Windows, `opt` represents
the `MOVEFILE_*` flags and defaults to `'replace_existing write_through'`.
This operation is atomic on all platforms.
Symlinks & Hardlinks ---------------------------------------------------------
[try_]readlink(path) -> path
Dereference a symlink recursively. The result can be an absolute or
relative path which can be valid or not.
Memory Mapping ---------------------------------------------------------------
FEATURES
* file-backed and pagefile-backed (anonymous) memory maps
* read-only, read/write and copy-on-write access modes plus executable flag
* name-tagged memory maps for sharing memory between processes
* mirrored memory maps for using with lock-free ring buffers.
* synchronous and asynchronous flushing
LIMITATIONS
* I/O errors from accessing mmapped memory cause a crash (and there's
nothing that can be done about that with the current ffi), which makes
this API unsuitable for mapping files from removable media or recovering
from write failures in general. For all other uses it is fine.
[try_]mmap(args_t) -> map
[try_]mmap(path, [access], [size], [offset], [addr], [tagname], [perms]) -> map
f:[try_]map([offset], [size], [addr], [access])
Create a memory map object. Args:
* `path`: the file to map: optional; if nil, a portion of the system pagefile
will be mapped instead.
* `access`: can be either:
* '' (read-only, default)
* 'w' (read + write)
* 'c' (read + copy-on-write)
* 'x' (read + execute)
* 'wx' (read + write + execute)
* 'cx' (read + copy-on-write + execute)
* `size`: the size of the memory segment (optional, defaults to file size).
* if given it must be > 0 or an error is raised.
* if not given, file size is assumed.
* if the file size is zero the mapping fails with `'file_too_short'`.
* if the file doesn't exist:
* if write access is given, the file is created.
* if write access is not given, the mapping fails with `'not_found'` error.
* if the file is shorter than the required offset + size:
* if write access is not given (or the file is the pagefile which
can't be resized), the mapping fails with `'file_too_short'` error.
* if write access is given, the file is extended.
* if the disk is full, the mapping fails with `'disk_full'` error.
* `offset`: offset in the file (optional, defaults to 0).
* if given, must be >= 0 or an error is raised.
* must be aligned to a page boundary or an error is raised.
* ignored when mapping the pagefile.
* `addr`: address to use (optional; an error is raised if zero).
* it's best to provide an address that is above 4 GB to avoid starving
LuaJIT which can only allocate in the lower 4 GB of the address space.
* `tagname`: name of the memory map (optional; cannot be used with `file`;
must not contain slashes or backslashes).
* using the same name in two different processes (or in the same process)
gives access to the same memory.
Returns an object with the fields:
* `addr` - a `void*` pointer to the mapped memory
* `size` - the actual size of the memory block
If the mapping fails, returns `nil,err` where `err` can be:
* `'not_found'` - file not found.
* `'file_too_short'` - the file is shorter than the required size.
* `'disk_full'` - the file cannot be extended because the disk is full.
* `'out_of_mem'` - size or address too large or specified address in use.
* an OS-specific error message.
NOTES
* when mapping or resizing a `FILE` that was written to, the write buffers
should be flushed first.
* after mapping an opened file handle of any kind, that file handle should
not be used anymore except to close it after the mapping is freed.
* attempting to write to a memory block that wasn't mapped with write
or copy-on-write access results in a crash.
* changes done externally to a mapped file may not be visible immediately
(or at all) to the mapped memory.
* access to shared memory from multiple processes must be synchronized.
map:free()
Free the memory and all associated resources and close the file
if it was opened by the `mmap()` call.
map:[try_]flush([async, ][addr, size]) -> true | nil,err
Flush (part of) the memory to disk. If the address is not aligned,
it will be automatically aligned to the left. If `async` is true,
perform the operation asynchronously and return immediately.
unlink_mapfile(tagname)` <br> `map:unlink()
Remove a (the) shared memory file from disk. When creating a shared memory
mapping using `tagname`, a file is created on the filesystem on Linux
and OS X (not so on Windows). That file must be removed manually when it is
no longer needed. This can be done anytime, even while mappings are open and
will not affect said mappings.
mirror_buffer([size], [addr]) -> map (OSX support is NYI)
Create a mirrored buffer to use with a lock-free ring buffer. Args:
* `size`: the size of the memory segment (optional; one page size
by default. automatically aligned to the next page size).
* `addr`: address to use (optional; can be anything convertible to `void*`).
The result is a table with `addr` and `size` fields and all the mirror map
objects in its array part (freeing the mirror will free all the maps).
The memory block at `addr` is mirrored such that
`(char*)addr[i] == (char*)addr[size+i]` for any `i` in `0..size-1`.
aligned_size(bytes[, dir]) -> bytes
Get the next larger (dir = 'right', default) or smaller (dir = 'left') size
that is aligned to a page boundary. It can be used to align offsets and sizes.
aligned_addr(ptr[, dir]) -> ptr
Get the next (dir = 'right', default) or previous (dir = 'left') address that
is aligned to a page boundary. It can be used to align pointers.
pagesize() -> bytes
Get the current page size. Memory will always be allocated in multiples
of this size and file offsets must be aligned to this size too.
Async I/O --------------------------------------------------------------------
Pipes are opened in async mode by default, which uses the sock scheduler
to multiplex the I/O which means that all I/O must be performed inside
sock threads.
Programming Notes ------------------------------------------------------------
### Filesystem operations are non-atomic
Most filesystem operations are non-atomic (unless otherwise specified) and
thus prone to race conditions. This library makes no attempt at fixing that
and in fact it ignores the issue entirely in order to provide a simpler API.
For instance, in order to change _only_ the "archive" bit of a file on
Windows, the file attribute bits need to be read first (because WinAPI doesn't
take a mask there). That's a TOCTTOU. Resolving a symlink or removing a
directory recursively in userspace has similar issues. So never work on the
(same part of the) filesystem from multiple processes without proper locking
(watch Niall Douglas's "Racing The File System" presentation for more info).
### Flushing does not protect against power loss
Flushing does not protect against power loss on consumer hard drives because
they usually don't have non-volatile write caches (and disabling the write
cache is generally not possible nor feasible). Also, most Linux distros do
not mount ext3 filesystems with the "barrier=1" option by default which means
no power loss protection there either, even when the hardware works right.
### File locking doesn't always work
File locking APIs only work right on disk mounts and are buggy or non-existent
on network mounts (NFS, Samba).
### Async disk I/O
Async disk I/O is a complete afterthought on all major Operating Systems.
If your app is disk-bound just bite the bullet and make a thread pool.
Read Arvid Norberg's article[1] for more info.
[1] https://blog.libtorrent.org/2012/10/asynchronous-disk-io/
]=]
if not ... then require'fs_test'; return end
require'glue'
require'path'
local
C, min, max, floor, ceil, ln, push, pop =
C, min, max, floor, ceil, ln, push, pop
local file = {}; file.__index = file --file object methods
local stream = {}; stream.__index = stream --FILE methods
local dir = {}; dir.__index = dir --dir listing object methods
--file objects ---------------------------------------------------------------
function isfile(f, type)
local mt = getmetatable(f)
return istab(mt) and rawget(mt, '__index') == file and (not type or f.type == type)
end
function try_open(path, mode, quiet)
local opt
if istab(path) then --try_open{path=,...}
opt = path
path = opt.path
mode = opt.mode
quiet = opt.quiet
end
assert(isstr(path), 'path required')
mode = repl(mode, nil, 'r') --use `false` for no mode.
if mode then
local mode_opt = assertf(_open_mode_opt[mode], 'invalid open mode: %s', mode)
if opt then
merge(opt, mode_opt)
else
opt = mode_opt
end
end
local f, err = _open(path, opt or empty, quiet)
if not f then return nil, err end
return f
end
function open(arg1, ...)
local f, err = try_open(arg1, ...)
local path = isstr(arg1) and arg1 or arg1.path
return check('fs', 'open', f, '%s: %s', path, err)
end
file.check_io = check_io
file.checkp = checkp
function file:onclose(fn)
local try_close = self.try_close
function self:try_close()
local ok, err = try_close(self)
fn()
if not ok then return false, err end
return true
end
end
function file:try_skip(n)
local i, err = f:try_seek('cur', 0); if not i then return nil, err end
local j, err = f:try_seek('cur', n); if not i then return nil, err end
return j - i
end
function file.unbuffered_reader(f)
return function(buf, sz)
if not buf then --skip bytes (libjpeg semantics)
return f:skip(sz)
else
return f:read(buf, sz)
end
end
end
function file.buffered_reader(f, bufsize)
local ptr_ct = u8p
local buf_ct = u8a
local o1, err = f:size()
local o0, err = f:try_seek'cur'
if not (o0 and o1) then
return function() return nil, err end
end
local bufsize = math.min(bufsize or 64 * 1024, o1 - o0)
local buf = buf_ct(bufsize)
local ofs, len = 0, 0
local eof = false
return function(dst, sz)
if not dst then --skip bytes (libjpeg semantics)
return f:skip(sz)
end
local rsz = 0
while sz > 0 do
if len == 0 then
if eof then
return 0
end
ofs = 0
local len1, err = f:read(buf, bufsize)
if not len1 then return nil, err end
len = len1
if len == 0 then
eof = true
return rsz
end
end
--TODO: benchmark: read less instead of copying.
local n = min(sz, len)
copy(cast(ptr_ct, dst) + rsz, buf + ofs, n)
ofs = ofs + n
len = len - n
rsz = rsz + n
sz = sz - n
end
return rsz
end
end
--pipes ----------------------------------------------------------------------
local function pipe_args(path_opt)
if istab(path_opt) then
return path_opt.path, path_opt
else
return path_opt, empty
end
end
function try_pipe(...)
return _pipe(pipe_args(...))
end
function pipe(...)
local path, opt = pipe_args(...)
local ret, err = _pipe(path, opt)
check('fs', 'pipe', ret, '%s: %s', path or '', err)
if not path then return ret, err end --actually rf, wf
return ret --pf
end
--stdio streams --------------------------------------------------------------
cdef[[
typedef struct FILE FILE;
int fclose(FILE*);
]]
stream_ct = ctype'struct FILE'
function stream.try_close(fs)
local ok = C.fclose(fs) == 0
if not ok then return check_errno(false) end
return true
end
stream.close = unprotect_io(stream.try_close)
--i/o ------------------------------------------------------------------------
function file:setexpires(rw, expires)
if not isstr(rw) then rw, expires = nil, rw end
local r = rw == 'r' or not rw
local w = rw == 'w' or not rw
if r then self.recv_expires = expires end
if w then self.send_expires = expires end
end
function file:settimeout(s, rw)
self:setexpires(s and clock() + s, rw)
end
local whences = {set = 0, cur = 1, ['end'] = 2} --FILE_*
function file:try_seek(whence, offset)
if tonumber(whence) and not offset then --middle arg missing
whence, offset = 'cur', tonumber(whence)
end
whence = whence or 'cur'
offset = tonumber(offset or 0)
whence = assertf(whences[whence], 'invalid whence: "%s"', whence)
return self:_seek(whence, offset)
end
function file:try_write(buf, sz)
sz = sz or #buf
if sz == 0 then return true end --mask out null writes
local sz0 = sz
while true do
local len, err = self:_write(buf, sz)
if len == sz then
break
elseif not len then --short write
return nil, err, sz0 - sz
end
assert(len > 0)
if isstr(buf) then --only make pointer on the rare second iteration.
buf = cast(u8p, buf)
end
buf = buf + len
sz = sz - len
end
return true
end
function file:try_readn(buf, sz)
local buf0, sz0 = buf, sz
local buf = cast(u8p, buf)
while sz > 0 do
local len, err = self:read(buf, sz)
if not len then --short read
return nil, err, sz0 - sz
elseif len == 0 then --eof
return nil, 'eof', sz0 - sz
end
buf = buf + len
sz = sz - len
end
return buf0, sz0
end
function file:try_readall(ignore_file_size)
if self.type == 'pipe' or ignore_file_size then
return readall(self.read, self)
end
assert(self.type == 'file')
local size, err = self:attr'size'; if not size then return nil, err end
local offset, err = self:try_seek(); if not offset then return nil, err end
local sz = size - offset
local buf = u8a(sz)
local n, err = self:read(buf, sz)
if not n then return nil, err end
if n < sz then return nil, 'partial', buf, n end
return buf, n
end
--filesystem operations ------------------------------------------------------
function try_chdir(dir)
local ok, err = _chdir(dir)
if not ok then return false, err end
log('', 'fs', 'chdir', '%s', dir)
return true
end
local function _try_mkdir(path, perms, quiet)
local ok, err = _mkdir(path, perms)
if not ok then
if err == 'already_exists' then return true, err end
return false, err
end
log(quiet and '' or 'note', 'fs', 'mkdir', '%s%s%s',
path, perms and ' ' or '', perms or '')
return true
end
function try_mkdir(dir, recursive, perms, quiet)
if recursive then
if win and not path_dir(dir) then --because mkdir'c:/' gives access denied.
return true
end
dir = path_normalize(dir) --avoid creating `dir` in `dir/..` sequences
local t = {}
while true do
local ok, err = _try_mkdir(dir, perms, quiet)
if ok then break end
if err ~= 'not_found' then --other problem
return ok, err
end
push(t, dir)
dir = path_dir(dir)
if not dir then --reached root
return ok, err
end
end
while #t > 0 do
local dir = pop(t)
local ok, err = _try_mkdir(dir, perms, quiet)
if not ok then return ok, err end
end
return true
else
return _try_mkdir(dir, perms, quiet)
end
end
function try_mkdirs(file, perms, quiet)
local ok, err = try_mkdir(assert(path_dir(file)), true, perms, quiet)
if not ok then return nil, err end
return file
end
function try_rmdir(dir, quiet)
local ok, err, errcode = _rmdir(dir)
if not ok then
if err == 'not_found' then return true, err end
return false, err
end
log(quiet and '' or 'note', 'fs', 'rmdir', '%s', dir)
return true
end
function try_rmfile(file, quiet)
local ok, err = _rmfile(file)
if not ok then
if err == 'not_found' then return true, err end
return false, err
end
log(quiet and '' or 'note', 'fs', 'rmfile', '%s', file)
return ok, err
end
local function try_rm(path, quiet)
local type, err = try_file_attr(path, 'type', false)
if not type and err == 'not_found' then
return true, err
end
if type == 'dir' or (win and type == 'symlink' and err == 'dir') then
return try_rmdir(path, quiet)
else
return try_rmfile(path, quiet)
end
end
local function try_rmdir_recursive(dir, quiet)
for file, d in ls(dir) do
if not file then
if d == 'not_found' then return true, d end
return file, d
end
local filepath = path_combine(dir, file)
local ok, err
local realtype, err = d:attr('type', false)
if realtype == 'dir' then
ok, err = try_rmdir_recursive(filepath, quiet)
elseif win and realtype == 'symlink' and err == 'dir' then
ok, err = try_rmdir(filepath, quiet)
elseif realtype then
ok, err = try_rmfile(filepath, quiet)
end
if not ok then
d:close()
return ok, err
end
end
return try_rmdir(dir, quiet)
end
local function try_rm_rf(path, quiet)
--not recursing if the dir is a symlink, unless it has an endsep!
if not path_endsep(path) then
local type, err = try_file_attr(path, 'type', false)
if not type then
if err == 'not_found' then return true, err end
return nil, err
end
if type == 'symlink' then
if win and err == 'dir' then
return try_rmdir(path, quiet)
else
return try_rmfile(path, quiet)
end
end
end
return try_rmdir_recursive(path, quiet)
end
function try_mv(old_path, new_path, dst_dirs_perms, quiet)
if dst_dirs_perms ~= false then