cc6711c1a1b9c73dc23dc1569d6cbf69cfee6208
[nit.git] / lib / standard / file.nit
1 # This file is part of NIT ( http://www.nitlanguage.org ).
2 #
3 # Copyright 2004-2008 Jean Privat <jean@pryen.org>
4 # Copyright 2008 Floréal Morandat <morandat@lirmm.fr>
5 # Copyright 2008 Jean-Sébastien Gélinas <calestar@gmail.com>
6 #
7 # This file is free software, which comes along with NIT. This software is
8 # distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;
9 # without even the implied warranty of MERCHANTABILITY or FITNESS FOR A
10 # PARTICULAR PURPOSE. You can modify it is you want, provided this header
11 # is kept unaltered, and a notification of the changes is added.
12 # You are allowed to redistribute it and sell it, alone or is a part of
13 # another product.
14
15 # File manipulations (create, read, write, etc.)
16 module file
17
18 intrude import stream
19 intrude import text::ropes
20 import text
21 import time
22 import gc
23
24 in "C Header" `{
25 #include <dirent.h>
26 #include <string.h>
27 #include <sys/types.h>
28 #include <sys/stat.h>
29 #include <unistd.h>
30 #include <stdio.h>
31 #include <poll.h>
32 #include <errno.h>
33 `}
34
35 # `Stream` used to interact with a File or FileDescriptor
36 abstract class FileStream
37 super Stream
38 # The path of the file.
39 var path: nullable String = null
40
41 # The FILE *.
42 private var file: nullable NativeFile = null
43
44 # The status of a file. see POSIX stat(2).
45 #
46 # var f = new FileReader.open("/etc/issue")
47 # assert f.file_stat.is_file
48 #
49 # Return null in case of error
50 fun file_stat: nullable FileStat
51 do
52 var stat = _file.file_stat
53 if stat.address_is_null then return null
54 return new FileStat(stat)
55 end
56
57 # File descriptor of this file
58 fun fd: Int do return _file.fileno
59
60 redef fun close
61 do
62 if _file == null then return
63 if _file.address_is_null then
64 if last_error != null then return
65 last_error = new IOError("Cannot close unopened file")
66 return
67 end
68 var i = _file.io_close
69 if i != 0 then
70 last_error = new IOError("Close failed due to error {sys.errno.strerror}")
71 end
72 _file = null
73 end
74
75 # Sets the buffering mode for the current FileStream
76 #
77 # If the buf_size is <= 0, its value will be 512 by default
78 #
79 # The mode is any of the buffer_mode enumeration in `Sys`:
80 #
81 # * `buffer_mode_full`
82 # * `buffer_mode_line`
83 # * `buffer_mode_none`
84 fun set_buffering_mode(buf_size, mode: Int) do
85 if buf_size <= 0 then buf_size = 512
86 if _file.set_buffering_type(buf_size, mode) != 0 then
87 last_error = new IOError("Error while changing buffering type for FileStream, returned error {sys.errno.strerror}")
88 end
89 end
90 end
91
92 # `Stream` that can read from a File
93 class FileReader
94 super FileStream
95 super BufferedReader
96 super PollableReader
97 # Misc
98
99 # Open the same file again.
100 # The original path is reused, therefore the reopened file can be a different file.
101 #
102 # var f = new FileReader.open("/etc/issue")
103 # var l = f.read_line
104 # f.reopen
105 # assert l == f.read_line
106 fun reopen
107 do
108 if not eof and not _file.address_is_null then close
109 last_error = null
110 _file = new NativeFile.io_open_read(path.to_cstring)
111 if _file.address_is_null then
112 last_error = new IOError("Error: Opening file at '{path.as(not null)}' failed with '{sys.errno.strerror}'")
113 end_reached = true
114 return
115 end
116 end_reached = false
117 buffer_reset
118 end
119
120 redef fun close
121 do
122 super
123 buffer_reset
124 end_reached = true
125 end
126
127 redef fun fill_buffer
128 do
129 var nb = _file.io_read(_buffer, _buffer_capacity)
130 if nb <= 0 then
131 end_reached = true
132 nb = 0
133 end
134 _buffer_length = nb
135 _buffer_pos = 0
136 end
137
138 # End of file?
139 redef var end_reached = false
140
141 # Open the file at `path` for reading.
142 #
143 # var f = new FileReader.open("/etc/issue")
144 # assert not f.end_reached
145 # f.close
146 #
147 # In case of error, `last_error` is set
148 #
149 # f = new FileReader.open("/fail/does not/exist")
150 # assert f.end_reached
151 # assert f.last_error != null
152 init open(path: String)
153 do
154 self.path = path
155 prepare_buffer(10)
156 _file = new NativeFile.io_open_read(path.to_cstring)
157 if _file.address_is_null then
158 last_error = new IOError("Error: Opening file at '{path}' failed with '{sys.errno.strerror}'")
159 end_reached = true
160 end
161 end
162
163 # Creates a new File stream from a file descriptor
164 #
165 # This is a low-level method.
166 init from_fd(fd: Int) do
167 self.path = ""
168 prepare_buffer(1)
169 _file = fd.fd_to_stream(read_only)
170 if _file.address_is_null then
171 last_error = new IOError("Error: Converting fd {fd} to stream failed with '{sys.errno.strerror}'")
172 end_reached = true
173 end
174 end
175 end
176
177 # `Stream` that can write to a File
178 class FileWriter
179 super FileStream
180 super Writer
181
182 redef fun write_bytes(s) do
183 if last_error != null then return
184 if not _is_writable then
185 last_error = new IOError("cannot write to non-writable stream")
186 return
187 end
188 write_native(s.items, s.length)
189 end
190
191 redef fun write(s)
192 do
193 if last_error != null then return
194 if not _is_writable then
195 last_error = new IOError("cannot write to non-writable stream")
196 return
197 end
198 for i in s.substrings do write_native(i.to_cstring, i.length)
199 end
200
201 redef fun write_byte(value)
202 do
203 if last_error != null then return
204 if not _is_writable then
205 last_error = new IOError("Cannot write to non-writable stream")
206 return
207 end
208 if _file.address_is_null then
209 last_error = new IOError("Writing on a null stream")
210 _is_writable = false
211 return
212 end
213
214 var err = _file.write_byte(value)
215 if err != 1 then
216 # Big problem
217 last_error = new IOError("Problem writing a byte: {err}")
218 end
219 end
220
221 redef fun close
222 do
223 super
224 _is_writable = false
225 end
226 redef var is_writable = false
227
228 # Write `len` bytes from `native`.
229 private fun write_native(native: NativeString, len: Int)
230 do
231 if last_error != null then return
232 if not _is_writable then
233 last_error = new IOError("Cannot write to non-writable stream")
234 return
235 end
236 if _file.address_is_null then
237 last_error = new IOError("Writing on a null stream")
238 _is_writable = false
239 return
240 end
241 var err = _file.io_write(native, len)
242 if err != len then
243 # Big problem
244 last_error = new IOError("Problem in writing : {err} {len} \n")
245 end
246 end
247
248 # Open the file at `path` for writing.
249 init open(path: String)
250 do
251 _file = new NativeFile.io_open_write(path.to_cstring)
252 self.path = path
253 _is_writable = true
254 if _file.address_is_null then
255 last_error = new IOError("Error: Opening file at '{path}' failed with '{sys.errno.strerror}'")
256 is_writable = false
257 end
258 end
259
260 # Creates a new File stream from a file descriptor
261 init from_fd(fd: Int) do
262 self.path = ""
263 _file = fd.fd_to_stream(wipe_write)
264 _is_writable = true
265 if _file.address_is_null then
266 last_error = new IOError("Error: Opening stream from file descriptor {fd} failed with '{sys.errno.strerror}'")
267 _is_writable = false
268 end
269 end
270 end
271
272 redef class Int
273 # Creates a file stream from a file descriptor `fd` using the file access `mode`.
274 #
275 # NOTE: The `mode` specified must be compatible with the one used in the file descriptor.
276 private fun fd_to_stream(mode: NativeString): NativeFile `{
277 return fdopen(self, mode);
278 `}
279 end
280
281 # Constant for read-only file streams
282 private fun read_only: NativeString do return once "r".to_cstring
283
284 # Constant for write-only file streams
285 #
286 # If a stream is opened on a file with this method,
287 # it will wipe the previous file if any.
288 # Else, it will create the file.
289 private fun wipe_write: NativeString do return once "w".to_cstring
290
291 ###############################################################################
292
293 # Standard input stream.
294 #
295 # The class of the default value of `sys.stdin`.
296 class Stdin
297 super FileReader
298
299 init do
300 _file = new NativeFile.native_stdin
301 path = "/dev/stdin"
302 prepare_buffer(1)
303 end
304
305 redef fun poll_in `{
306 struct pollfd fd = {0, POLLIN, 0};
307 int res = poll(&fd, 1, 0);
308 if (res == -1) {
309 perror("Error poll stdin");
310 exit(EXIT_FAILURE);
311 }
312 return res > 0;
313 `}
314 end
315
316 # Standard output stream.
317 #
318 # The class of the default value of `sys.stdout`.
319 class Stdout
320 super FileWriter
321 init do
322 _file = new NativeFile.native_stdout
323 path = "/dev/stdout"
324 _is_writable = true
325 set_buffering_mode(256, sys.buffer_mode_line)
326 end
327 end
328
329 # Standard error stream.
330 #
331 # The class of the default value of `sys.stderr`.
332 class Stderr
333 super FileWriter
334 init do
335 _file = new NativeFile.native_stderr
336 path = "/dev/stderr"
337 _is_writable = true
338 end
339 end
340
341 ###############################################################################
342
343 redef class Writable
344 # Like `write_to` but take care of creating the file
345 fun write_to_file(filepath: String)
346 do
347 var stream = new FileWriter.open(filepath)
348 write_to(stream)
349 stream.close
350 end
351 end
352
353 # Utility class to access file system services
354 #
355 # Usually created with `Text::to_path`.
356 class Path
357
358 private var path: String
359
360 # Path to this file
361 redef fun to_s do return path
362
363 # Short name of the file at `to_s`
364 #
365 # ~~~
366 # var path = "/tmp/somefile".to_path
367 # assert path.filename == "somefile"
368 # ~~~
369 var filename: String = path.basename("") is lazy
370
371 # Does the file at `path` exists?
372 fun exists: Bool do return stat != null
373
374 # Information on the file at `self` following symbolic links
375 #
376 # Returns `null` if there is no file at `self`.
377 #
378 # assert "/etc/".to_path.stat.is_dir
379 # assert "/etc/issue".to_path.stat.is_file
380 # assert "/fail/does not/exist".to_path.stat == null
381 #
382 # ~~~
383 # var p = "/tmp/".to_path
384 # var stat = p.stat
385 # if stat != null then # Does `p` exist?
386 # print "It's size is {stat.size}"
387 # if stat.is_dir then print "It's a directory"
388 # end
389 # ~~~
390 fun stat: nullable FileStat
391 do
392 var stat = path.to_cstring.file_stat
393 if stat.address_is_null then return null
394 return new FileStat(stat)
395 end
396
397 # Information on the file or link at `self`
398 #
399 # Do not follow symbolic links.
400 fun link_stat: nullable FileStat
401 do
402 var stat = path.to_cstring.file_lstat
403 if stat.address_is_null then return null
404 return new FileStat(stat)
405 end
406
407 # Delete a file from the file system, return `true` on success
408 fun delete: Bool do return path.to_cstring.file_delete
409
410 # Copy content of file at `path` to `dest`
411 #
412 # Require: `exists`
413 fun copy(dest: Path)
414 do
415 var input = open_ro
416 var output = dest.open_wo
417
418 while not input.eof do
419 var buffer = input.read(1024)
420 output.write buffer
421 end
422
423 input.close
424 output.close
425 end
426
427 # Open this file for reading
428 #
429 # Require: `exists and not link_stat.is_dir`
430 fun open_ro: FileReader
431 do
432 # TODO manage streams error when they are merged
433 return new FileReader.open(path)
434 end
435
436 # Open this file for writing
437 #
438 # Require: `not exists or not stat.is_dir`
439 fun open_wo: FileWriter
440 do
441 # TODO manage streams error when they are merged
442 return new FileWriter.open(path)
443 end
444
445 # Read all the content of the file
446 #
447 # ~~~
448 # var content = "/etc/issue".to_path.read_all
449 # print content
450 # ~~~
451 #
452 # See `Reader::read_all` for details.
453 fun read_all: String do return read_all_bytes.to_s
454
455 fun read_all_bytes: Bytes
456 do
457 var s = open_ro
458 var res = s.read_all_bytes
459 s.close
460 return res
461 end
462
463 # Read all the lines of the file
464 #
465 # ~~~
466 # var lines = "/etc/passwd".to_path.read_lines
467 #
468 # print "{lines.length} users"
469 #
470 # for l in lines do
471 # var fields = l.split(":")
472 # print "name={fields[0]} uid={fields[2]}"
473 # end
474 # ~~~
475 #
476 # See `Reader::read_lines` for details.
477 fun read_lines: Array[String]
478 do
479 var s = open_ro
480 var res = s.read_lines
481 s.close
482 return res
483 end
484
485 # Return an iterator on each line of the file
486 #
487 # ~~~
488 # for l in "/etc/passwd".to_path.each_line do
489 # var fields = l.split(":")
490 # print "name={fields[0]} uid={fields[2]}"
491 # end
492 # ~~~
493 #
494 # Note: the stream is automatically closed at the end of the file (see `LineIterator::close_on_finish`)
495 #
496 # See `Reader::each_line` for details.
497 fun each_line: LineIterator
498 do
499 var s = open_ro
500 var res = s.each_line
501 res.close_on_finish = true
502 return res
503 end
504
505
506 # Lists the name of the files contained within the directory at `path`
507 #
508 # Require: `exists and is_dir`
509 fun files: Array[Path]
510 do
511 var files = new Array[Path]
512 for filename in path.files do
513 files.add new Path(path / filename)
514 end
515 return files
516 end
517
518 # Delete a directory and all of its content, return `true` on success
519 #
520 # Does not go through symbolic links and may get stuck in a cycle if there
521 # is a cycle in the file system.
522 fun rmdir: Bool
523 do
524 var ok = true
525 for file in self.files do
526 var stat = file.link_stat
527 if stat.is_dir then
528 ok = file.rmdir and ok
529 else
530 ok = file.delete and ok
531 end
532 end
533
534 # Delete the directory itself
535 if ok then ok = path.to_cstring.rmdir and ok
536
537 return ok
538 end
539
540 redef fun ==(other) do return other isa Path and path.simplify_path == other.path.simplify_path
541 redef fun hash do return path.simplify_path.hash
542 end
543
544 # Information on a file
545 #
546 # Created by `Path::stat` and `Path::link_stat`.
547 #
548 # The information within this class is gathered when the instance is initialized
549 # it will not be updated if the targeted file is modified.
550 class FileStat
551 super Finalizable
552
553 # TODO private init
554
555 # The low-level status of a file
556 #
557 # See: POSIX stat(2)
558 private var stat: NativeFileStat
559
560 private var finalized = false
561
562 redef fun finalize
563 do
564 if not finalized then
565 stat.free
566 finalized = true
567 end
568 end
569
570 # Returns the last access time in seconds since Epoch
571 fun last_access_time: Int
572 do
573 assert not finalized
574 return stat.atime
575 end
576
577 # Returns the last access time
578 #
579 # alias for `last_access_time`
580 fun atime: Int do return last_access_time
581
582 # Returns the last modification time in seconds since Epoch
583 fun last_modification_time: Int
584 do
585 assert not finalized
586 return stat.mtime
587 end
588
589 # Returns the last modification time
590 #
591 # alias for `last_modification_time`
592 fun mtime: Int do return last_modification_time
593
594
595 # Size of the file at `path`
596 fun size: Int
597 do
598 assert not finalized
599 return stat.size
600 end
601
602 # Is self a regular file and not a device file, pipe, socket, etc.?
603 fun is_file: Bool
604 do
605 assert not finalized
606 return stat.is_reg
607 end
608
609 # Alias for `is_file`
610 fun is_reg: Bool do return is_file
611
612 # Is this a directory?
613 fun is_dir: Bool
614 do
615 assert not finalized
616 return stat.is_dir
617 end
618
619 # Is this a symbolic link?
620 fun is_link: Bool
621 do
622 assert not finalized
623 return stat.is_lnk
624 end
625
626 # FIXME Make the following POSIX only? or implement in some other way on Windows
627
628 # Returns the last status change time in seconds since Epoch
629 fun last_status_change_time: Int
630 do
631 assert not finalized
632 return stat.ctime
633 end
634
635 # Returns the last status change time
636 #
637 # alias for `last_status_change_time`
638 fun ctime: Int do return last_status_change_time
639
640 # Returns the permission bits of file
641 fun mode: Int
642 do
643 assert not finalized
644 return stat.mode
645 end
646
647 # Is this a character device?
648 fun is_chr: Bool
649 do
650 assert not finalized
651 return stat.is_chr
652 end
653
654 # Is this a block device?
655 fun is_blk: Bool
656 do
657 assert not finalized
658 return stat.is_blk
659 end
660
661 # Is this a FIFO pipe?
662 fun is_fifo: Bool
663 do
664 assert not finalized
665 return stat.is_fifo
666 end
667
668 # Is this a UNIX socket
669 fun is_sock: Bool
670 do
671 assert not finalized
672 return stat.is_sock
673 end
674 end
675
676 redef class Text
677 # Access file system related services on the path at `self`
678 fun to_path: Path do return new Path(to_s)
679 end
680
681 redef class String
682 # return true if a file with this names exists
683 fun file_exists: Bool do return to_cstring.file_exists
684
685 # The status of a file. see POSIX stat(2).
686 fun file_stat: nullable FileStat
687 do
688 var stat = to_cstring.file_stat
689 if stat.address_is_null then return null
690 return new FileStat(stat)
691 end
692
693 # The status of a file or of a symlink. see POSIX lstat(2).
694 fun file_lstat: nullable FileStat
695 do
696 var stat = to_cstring.file_lstat
697 if stat.address_is_null then return null
698 return new FileStat(stat)
699 end
700
701 # Remove a file, return true if success
702 fun file_delete: Bool do return to_cstring.file_delete
703
704 # Copy content of file at `self` to `dest`
705 fun file_copy_to(dest: String) do to_path.copy(dest.to_path)
706
707 # Remove the trailing extension `ext`.
708 #
709 # `ext` usually starts with a dot but could be anything.
710 #
711 # assert "file.txt".strip_extension(".txt") == "file"
712 # assert "file.txt".strip_extension("le.txt") == "fi"
713 # assert "file.txt".strip_extension("xt") == "file.t"
714 #
715 # if `ext` is not present, `self` is returned unmodified.
716 #
717 # assert "file.txt".strip_extension(".tar.gz") == "file.txt"
718 fun strip_extension(ext: String): String
719 do
720 if has_suffix(ext) then
721 return substring(0, length - ext.length)
722 end
723 return self
724 end
725
726 # Extract the basename of a path and remove the extension
727 #
728 # assert "/path/to/a_file.ext".basename(".ext") == "a_file"
729 # assert "path/to/a_file.ext".basename(".ext") == "a_file"
730 # assert "path/to".basename(".ext") == "to"
731 # assert "path/to/".basename(".ext") == "to"
732 # assert "path".basename("") == "path"
733 # assert "/path".basename("") == "path"
734 # assert "/".basename("") == "/"
735 # assert "".basename("") == ""
736 fun basename(ext: String): String
737 do
738 var l = length - 1 # Index of the last char
739 while l > 0 and self.chars[l] == '/' do l -= 1 # remove all trailing `/`
740 if l == 0 then return "/"
741 var pos = chars.last_index_of_from('/', l)
742 var n = self
743 if pos >= 0 then
744 n = substring(pos+1, l-pos)
745 end
746 return n.strip_extension(ext)
747 end
748
749 # Extract the dirname of a path
750 #
751 # assert "/path/to/a_file.ext".dirname == "/path/to"
752 # assert "path/to/a_file.ext".dirname == "path/to"
753 # assert "path/to".dirname == "path"
754 # assert "path/to/".dirname == "path"
755 # assert "path".dirname == "."
756 # assert "/path".dirname == "/"
757 # assert "/".dirname == "/"
758 # assert "".dirname == "."
759 fun dirname: String
760 do
761 var l = length - 1 # Index of the last char
762 while l > 0 and self.chars[l] == '/' do l -= 1 # remove all trailing `/`
763 var pos = chars.last_index_of_from('/', l)
764 if pos > 0 then
765 return substring(0, pos)
766 else if pos == 0 then
767 return "/"
768 else
769 return "."
770 end
771 end
772
773 # Return the canonicalized absolute pathname (see POSIX function `realpath`)
774 fun realpath: String do
775 var cs = to_cstring.file_realpath
776 var res = cs.to_s_with_copy
777 # cs.free_malloc # FIXME memory leak
778 return res
779 end
780
781 # Simplify a file path by remove useless `.`, removing `//`, and resolving `..`
782 #
783 # * `..` are not resolved if they start the path
784 # * starting `.` is simplified unless the path is empty
785 # * starting `/` is not removed
786 # * trailing `/` is removed
787 #
788 # Note that the method only work on the string:
789 #
790 # * no I/O access is performed
791 # * the validity of the path is not checked
792 #
793 # ~~~
794 # assert "some/./complex/../../path/from/../to/a////file//".simplify_path == "path/to/a/file"
795 # assert "../dir/file".simplify_path == "../dir/file"
796 # assert "dir/../../".simplify_path == ".."
797 # assert "dir/..".simplify_path == "."
798 # assert "//absolute//path/".simplify_path == "/absolute/path"
799 # assert "//absolute//../".simplify_path == "/"
800 # assert "/".simplify_path == "/"
801 # assert "../".simplify_path == ".."
802 # assert "./".simplify_path == "."
803 # assert "././././././".simplify_path == "."
804 # assert "./../dir".simplify_path == "../dir"
805 # assert "./dir".simplify_path == "dir"
806 # ~~~
807 fun simplify_path: String
808 do
809 var a = self.split_with("/")
810 var a2 = new Array[String]
811 for x in a do
812 if x == "." and not a2.is_empty then continue # skip `././`
813 if x == "" and not a2.is_empty then continue # skip `//`
814 if x == ".." and not a2.is_empty and a2.last != ".." then
815 if a2.last == "." then # do not skip `./../`
816 a2.pop # reduce `./../` in `../`
817 else # reduce `dir/../` in `/`
818 a2.pop
819 continue
820 end
821 else if not a2.is_empty and a2.last == "." then
822 a2.pop # reduce `./dir` in `dir`
823 end
824 a2.push(x)
825 end
826 if a2.is_empty then return "."
827 if a2.length == 1 and a2.first == "" then return "/"
828 return a2.join("/")
829 end
830
831 # Correctly join two path using the directory separator.
832 #
833 # Using a standard "{self}/{path}" does not work in the following cases:
834 #
835 # * `self` is empty.
836 # * `path` starts with `'/'`.
837 #
838 # This method ensures that the join is valid.
839 #
840 # assert "hello".join_path("world") == "hello/world"
841 # assert "hel/lo".join_path("wor/ld") == "hel/lo/wor/ld"
842 # assert "".join_path("world") == "world"
843 # assert "hello".join_path("/world") == "/world"
844 # assert "hello/".join_path("world") == "hello/world"
845 # assert "hello/".join_path("/world") == "/world"
846 #
847 # Note: You may want to use `simplify_path` on the result.
848 #
849 # Note: This method works only with POSIX paths.
850 fun join_path(path: String): String
851 do
852 if path.is_empty then return self
853 if self.is_empty then return path
854 if path.chars[0] == '/' then return path
855 if self.last == '/' then return "{self}{path}"
856 return "{self}/{path}"
857 end
858
859 # Convert the path (`self`) to a program name.
860 #
861 # Ensure the path (`self`) will be treated as-is by POSIX shells when it is
862 # used as a program name. In order to do that, prepend `./` if needed.
863 #
864 # assert "foo".to_program_name == "./foo"
865 # assert "/foo".to_program_name == "/foo"
866 # assert "".to_program_name == "./" # At least, your shell will detect the error.
867 fun to_program_name: String do
868 if self.has_prefix("/") then
869 return self
870 else
871 return "./{self}"
872 end
873 end
874
875 # Alias for `join_path`
876 #
877 # assert "hello" / "world" == "hello/world"
878 # assert "hel/lo" / "wor/ld" == "hel/lo/wor/ld"
879 # assert "" / "world" == "world"
880 # assert "/hello" / "/world" == "/world"
881 #
882 # This operator is quite useful for chaining changes of path.
883 # The next one being relative to the previous one.
884 #
885 # var a = "foo"
886 # var b = "/bar"
887 # var c = "baz/foobar"
888 # assert a/b/c == "/bar/baz/foobar"
889 fun /(path: String): String do return join_path(path)
890
891 # Returns the relative path needed to go from `self` to `dest`.
892 #
893 # assert "/foo/bar".relpath("/foo/baz") == "../baz"
894 # assert "/foo/bar".relpath("/baz/bar") == "../../baz/bar"
895 #
896 # If `self` or `dest` is relative, they are considered relatively to `getcwd`.
897 #
898 # In some cases, the result is still independent of the current directory:
899 #
900 # assert "foo/bar".relpath("..") == "../../.."
901 #
902 # In other cases, parts of the current directory may be exhibited:
903 #
904 # var p = "../foo/bar".relpath("baz")
905 # var c = getcwd.basename("")
906 # assert p == "../../{c}/baz"
907 #
908 # For path resolution independent of the current directory (eg. for paths in URL),
909 # or to use an other starting directory than the current directory,
910 # just force absolute paths:
911 #
912 # var start = "/a/b/c/d"
913 # var p2 = (start/"../foo/bar").relpath(start/"baz")
914 # assert p2 == "../../d/baz"
915 #
916 #
917 # Neither `self` or `dest` has to be real paths or to exist in directories since
918 # the resolution is only done with string manipulations and without any access to
919 # the underlying file system.
920 #
921 # If `self` and `dest` are the same directory, the empty string is returned:
922 #
923 # assert "foo".relpath("foo") == ""
924 # assert "foo/../bar".relpath("bar") == ""
925 #
926 # The empty string and "." designate both the current directory:
927 #
928 # assert "".relpath("foo/bar") == "foo/bar"
929 # assert ".".relpath("foo/bar") == "foo/bar"
930 # assert "foo/bar".relpath("") == "../.."
931 # assert "/" + "/".relpath(".") == getcwd
932 fun relpath(dest: String): String
933 do
934 var cwd = getcwd
935 var from = (cwd/self).simplify_path.split("/")
936 if from.last.is_empty then from.pop # case for the root directory
937 var to = (cwd/dest).simplify_path.split("/")
938 if to.last.is_empty then to.pop # case for the root directory
939
940 # Remove common prefixes
941 while not from.is_empty and not to.is_empty and from.first == to.first do
942 from.shift
943 to.shift
944 end
945
946 # Result is going up in `from` with ".." then going down following `to`
947 var from_len = from.length
948 if from_len == 0 then return to.join("/")
949 var up = "../"*(from_len-1) + ".."
950 if to.is_empty then return up
951 var res = up + "/" + to.join("/")
952 return res
953 end
954
955 # Create a directory (and all intermediate directories if needed)
956 #
957 # Return an error object in case of error.
958 #
959 # assert "/etc/".mkdir != null
960 fun mkdir: nullable Error
961 do
962 var dirs = self.split_with("/")
963 var path = new FlatBuffer
964 if dirs.is_empty then return null
965 if dirs[0].is_empty then
966 # it was a starting /
967 path.add('/')
968 end
969 var error: nullable Error = null
970 for d in dirs do
971 if d.is_empty then continue
972 path.append(d)
973 path.add('/')
974 var res = path.to_s.to_cstring.file_mkdir
975 if not res and error == null then
976 error = new IOError("Cannot create directory `{path}`: {sys.errno.strerror}")
977 end
978 end
979 return error
980 end
981
982 # Delete a directory and all of its content, return `true` on success
983 #
984 # Does not go through symbolic links and may get stuck in a cycle if there
985 # is a cycle in the filesystem.
986 #
987 # Return an error object in case of error.
988 #
989 # assert "/fail/does not/exist".rmdir != null
990 fun rmdir: nullable Error
991 do
992 var res = to_path.rmdir
993 if res then return null
994 var error = new IOError("Cannot change remove `{self}`: {sys.errno.strerror}")
995 return error
996 end
997
998 # Change the current working directory
999 #
1000 # "/etc".chdir
1001 # assert getcwd == "/etc"
1002 # "..".chdir
1003 # assert getcwd == "/"
1004 #
1005 # Return an error object in case of error.
1006 #
1007 # assert "/etc".chdir == null
1008 # assert "/fail/does no/exist".chdir != null
1009 # assert getcwd == "/etc" # unchanger
1010 fun chdir: nullable Error
1011 do
1012 var res = to_cstring.file_chdir
1013 if res then return null
1014 var error = new IOError("Cannot change directory to `{self}`: {sys.errno.strerror}")
1015 return error
1016 end
1017
1018 # Return right-most extension (without the dot)
1019 #
1020 # Only the last extension is returned.
1021 # There is no special case for combined extensions.
1022 #
1023 # assert "file.txt".file_extension == "txt"
1024 # assert "file.tar.gz".file_extension == "gz"
1025 #
1026 # For file without extension, `null` is returned.
1027 # Hoever, for trailing dot, `""` is returned.
1028 #
1029 # assert "file".file_extension == null
1030 # assert "file.".file_extension == ""
1031 #
1032 # The starting dot of hidden files is never considered.
1033 #
1034 # assert ".file.txt".file_extension == "txt"
1035 # assert ".file".file_extension == null
1036 fun file_extension: nullable String
1037 do
1038 var last_slash = chars.last_index_of('.')
1039 if last_slash > 0 then
1040 return substring( last_slash+1, length )
1041 else
1042 return null
1043 end
1044 end
1045
1046 # Returns entries contained within the directory represented by self.
1047 #
1048 # var files = "/etc".files
1049 # assert files.has("issue")
1050 #
1051 # Returns an empty array in case of error
1052 #
1053 # files = "/etc/issue".files
1054 # assert files.is_empty
1055 #
1056 # TODO find a better way to handle errors and to give them back to the user.
1057 fun files: Array[String]
1058 do
1059 var res = new Array[String]
1060 var d = new NativeDir.opendir(to_cstring)
1061 if d.address_is_null then return res
1062
1063 loop
1064 var de = d.readdir
1065 if de.address_is_null then break
1066 var name = de.to_s_with_copy
1067 if name == "." or name == ".." then continue
1068 res.add name
1069 end
1070 d.closedir
1071
1072 return res
1073 end
1074 end
1075
1076 redef class NativeString
1077 private fun file_exists: Bool `{
1078 FILE *hdl = fopen(self,"r");
1079 if(hdl != NULL){
1080 fclose(hdl);
1081 }
1082 return hdl != NULL;
1083 `}
1084
1085 private fun file_stat: NativeFileStat `{
1086 struct stat buff;
1087 if(stat(self, &buff) != -1) {
1088 struct stat* stat_element;
1089 stat_element = malloc(sizeof(struct stat));
1090 return memcpy(stat_element, &buff, sizeof(struct stat));
1091 }
1092 return 0;
1093 `}
1094
1095 private fun file_lstat: NativeFileStat `{
1096 struct stat* stat_element;
1097 int res;
1098 stat_element = malloc(sizeof(struct stat));
1099 res = lstat(self, stat_element);
1100 if (res == -1) return NULL;
1101 return stat_element;
1102 `}
1103
1104 private fun file_mkdir: Bool `{ return !mkdir(self, 0777); `}
1105
1106 private fun rmdir: Bool `{ return !rmdir(self); `}
1107
1108 private fun file_delete: Bool `{
1109 return remove(self) == 0;
1110 `}
1111
1112 private fun file_chdir: Bool `{ return !chdir(self); `}
1113
1114 private fun file_realpath: NativeString `{ return realpath(self, NULL); `}
1115 end
1116
1117 # This class is system dependent ... must reify the vfs
1118 private extern class NativeFileStat `{ struct stat * `}
1119
1120 # Returns the permission bits of file
1121 fun mode: Int `{ return self->st_mode; `}
1122
1123 # Returns the last access time
1124 fun atime: Int `{ return self->st_atime; `}
1125
1126 # Returns the last status change time
1127 fun ctime: Int `{ return self->st_ctime; `}
1128
1129 # Returns the last modification time
1130 fun mtime: Int `{ return self->st_mtime; `}
1131
1132 # Returns the size
1133 fun size: Int `{ return self->st_size; `}
1134
1135 # Returns true if it is a regular file (not a device file, pipe, sockect, ...)
1136 fun is_reg: Bool `{ return S_ISREG(self->st_mode); `}
1137
1138 # Returns true if it is a directory
1139 fun is_dir: Bool `{ return S_ISDIR(self->st_mode); `}
1140
1141 # Returns true if it is a character device
1142 fun is_chr: Bool `{ return S_ISCHR(self->st_mode); `}
1143
1144 # Returns true if it is a block device
1145 fun is_blk: Bool `{ return S_ISBLK(self->st_mode); `}
1146
1147 # Returns true if the type is fifo
1148 fun is_fifo: Bool `{ return S_ISFIFO(self->st_mode); `}
1149
1150 # Returns true if the type is a link
1151 fun is_lnk: Bool `{ return S_ISLNK(self->st_mode); `}
1152
1153 # Returns true if the type is a socket
1154 fun is_sock: Bool `{ return S_ISSOCK(self->st_mode); `}
1155 end
1156
1157 # Instance of this class are standard FILE * pointers
1158 private extern class NativeFile `{ FILE* `}
1159 fun io_read(buf: NativeString, len: Int): Int `{
1160 return fread(buf, 1, len, self);
1161 `}
1162
1163 fun io_write(buf: NativeString, len: Int): Int `{
1164 return fwrite(buf, 1, len, self);
1165 `}
1166
1167 fun write_byte(value: Byte): Int `{
1168 unsigned char b = (unsigned char)value;
1169 return fwrite(&b, 1, 1, self);
1170 `}
1171
1172 fun io_close: Int `{ return fclose(self); `}
1173
1174 fun file_stat: NativeFileStat `{
1175 struct stat buff;
1176 if(fstat(fileno(self), &buff) != -1) {
1177 struct stat* stat_element;
1178 stat_element = malloc(sizeof(struct stat));
1179 return memcpy(stat_element, &buff, sizeof(struct stat));
1180 }
1181 return 0;
1182 `}
1183
1184 fun fileno: Int `{ return fileno(self); `}
1185
1186 # Flushes the buffer, forcing the write operation
1187 fun flush: Int `{ return fflush(self); `}
1188
1189 # Used to specify how the buffering will be handled for the current stream.
1190 fun set_buffering_type(buf_length: Int, mode: Int): Int `{
1191 return setvbuf(self, NULL, mode, buf_length);
1192 `}
1193
1194 new io_open_read(path: NativeString) `{ return fopen(path, "r"); `}
1195
1196 new io_open_write(path: NativeString) `{ return fopen(path, "w"); `}
1197
1198 new native_stdin `{ return stdin; `}
1199
1200 new native_stdout `{ return stdout; `}
1201
1202 new native_stderr `{ return stderr; `}
1203 end
1204
1205 # Standard `DIR*` pointer
1206 private extern class NativeDir `{ DIR* `}
1207
1208 # Open a directory
1209 new opendir(path: NativeString) `{ return opendir(path); `}
1210
1211 # Close a directory
1212 fun closedir `{ closedir(self); `}
1213
1214 # Read the next directory entry
1215 fun readdir: NativeString `{
1216 struct dirent *de;
1217 de = readdir(self);
1218 if (!de) return NULL;
1219 return de->d_name;
1220 `}
1221 end
1222
1223 redef class Sys
1224
1225 # Standard input
1226 var stdin: PollableReader = new Stdin is protected writable, lazy
1227
1228 # Standard output
1229 var stdout: Writer = new Stdout is protected writable, lazy
1230
1231 # Standard output for errors
1232 var stderr: Writer = new Stderr is protected writable, lazy
1233
1234 # Enumeration for buffer mode full (flushes when buffer is full)
1235 fun buffer_mode_full: Int `{ return _IOFBF; `}
1236
1237 # Enumeration for buffer mode line (flushes when a `\n` is encountered)
1238 fun buffer_mode_line: Int `{ return _IONBF; `}
1239
1240 # Enumeration for buffer mode none (flushes ASAP when something is written)
1241 fun buffer_mode_none: Int `{ return _IOLBF; `}
1242
1243 # returns first available stream to read or write to
1244 # return null on interruption (possibly a signal)
1245 protected fun poll( streams : Sequence[FileStream] ) : nullable FileStream
1246 do
1247 var in_fds = new Array[Int]
1248 var out_fds = new Array[Int]
1249 var fd_to_stream = new HashMap[Int,FileStream]
1250 for s in streams do
1251 var fd = s.fd
1252 if s isa FileReader then in_fds.add( fd )
1253 if s isa FileWriter then out_fds.add( fd )
1254
1255 fd_to_stream[fd] = s
1256 end
1257
1258 var polled_fd = intern_poll( in_fds, out_fds )
1259
1260 if polled_fd == null then
1261 return null
1262 else
1263 return fd_to_stream[polled_fd]
1264 end
1265 end
1266
1267 private fun intern_poll(in_fds: Array[Int], out_fds: Array[Int]): nullable Int
1268 import Array[Int].length, Array[Int].[], Int.as(nullable Int) `{
1269 int in_len, out_len, total_len;
1270 struct pollfd *c_fds;
1271 int i;
1272 int first_polled_fd = -1;
1273 int result;
1274
1275 in_len = Array_of_Int_length( in_fds );
1276 out_len = Array_of_Int_length( out_fds );
1277 total_len = in_len + out_len;
1278 c_fds = malloc( sizeof(struct pollfd) * total_len );
1279
1280 /* input streams */
1281 for ( i=0; i<in_len; i ++ ) {
1282 int fd;
1283 fd = Array_of_Int__index( in_fds, i );
1284
1285 c_fds[i].fd = fd;
1286 c_fds[i].events = POLLIN;
1287 }
1288
1289 /* output streams */
1290 for ( i=0; i<out_len; i ++ ) {
1291 int fd;
1292 fd = Array_of_Int__index( out_fds, i );
1293
1294 c_fds[i].fd = fd;
1295 c_fds[i].events = POLLOUT;
1296 }
1297
1298 /* poll all fds, unlimited timeout */
1299 result = poll( c_fds, total_len, -1 );
1300
1301 if ( result > 0 ) {
1302 /* analyse results */
1303 for ( i=0; i<total_len; i++ )
1304 if ( c_fds[i].revents & c_fds[i].events || /* awaited event */
1305 c_fds[i].revents & POLLHUP ) /* closed */
1306 {
1307 first_polled_fd = c_fds[i].fd;
1308 break;
1309 }
1310
1311 return Int_as_nullable( first_polled_fd );
1312 }
1313 else if ( result < 0 )
1314 fprintf( stderr, "Error in Stream:poll: %s\n", strerror( errno ) );
1315
1316 return null_Int();
1317 `}
1318
1319 end
1320
1321 # Print `objects` on the standard output (`stdout`).
1322 fun printn(objects: Object...)
1323 do
1324 sys.stdout.write(objects.plain_to_s)
1325 end
1326
1327 # Print an `object` on the standard output (`stdout`) and add a newline.
1328 fun print(object: Object)
1329 do
1330 sys.stdout.write(object.to_s)
1331 sys.stdout.write("\n")
1332 end
1333
1334 # Print `object` on the error output (`stderr` or a log system)
1335 fun print_error(object: Object)
1336 do
1337 sys.stderr.write object.to_s
1338 sys.stderr.write "\n"
1339 end
1340
1341 # Read a character from the standard input (`stdin`).
1342 fun getc: Char
1343 do
1344 var c = sys.stdin.read_char
1345 if c == null then return '\1'
1346 return c
1347 end
1348
1349 # Read a line from the standard input (`stdin`).
1350 fun gets: String
1351 do
1352 return sys.stdin.read_line
1353 end
1354
1355 # Return the working (current) directory
1356 fun getcwd: String do return native_getcwd.to_s
1357
1358 private fun native_getcwd: NativeString `{ return getcwd(NULL, 0); `}