src/toolcontext: Provide contract options
[nit.git] / src / toolcontext.nit
1 # This file is part of NIT ( http://www.nitlanguage.org ).
2 #
3 # Copyright 2006-2008 Floréal Morandat <morandat@lirmm.fr>
4 # Copyright 2008-2012 Jean Privat <jean@pryen.org>
5 # Copyright 2009 Jean-Sebastien Gelinas <calestar@gmail.com>
6 # Copyright 2014 Alexandre Terrasa <alexandre@moz-code.org>
7 #
8 # Licensed under the Apache License, Version 2.0 (the "License");
9 # you may not use this file except in compliance with the License.
10 # You may obtain a copy of the License at
11 #
12 # http://www.apache.org/licenses/LICENSE-2.0
13 #
14 # Unless required by applicable law or agreed to in writing, software
15 # distributed under the License is distributed on an "AS IS" BASIS,
16 # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
17 # See the License for the specific language governing permissions and
18 # limitations under the License.
19
20 # Common command-line tool infrastructure than handle options and error messages
21 module toolcontext
22
23 import opts
24 import location
25 import version
26 import template
27 import more_collections
28
29 # A warning or an error
30 class Message
31 super Comparable
32 redef type OTHER: Message
33
34 # The origin of the message in the source code, if any.
35 var location: nullable Location
36
37 # The category of the message.
38 #
39 # Used by quality-control tool for statistics or to enable/disable things individually.
40 var tag: nullable String
41
42 # The human-readable description of the message.
43 #
44 # eg. "Error: cannot find method `foo`."
45 #
46 # A good message should:
47 #
48 # * start with a message type like "Error:", "Syntax Error:", "Warning:".
49 # The type is capitalized and terminated by a column.
50 # The rest on the message starts with a lowercase letter and is terminated with a dot.
51 #
52 # * be short and fit on a single line.
53 #
54 # * have meaningful information first.
55 # This helps the reader and remain usable
56 # when truncated, by an IDE for instance.
57 #
58 # * enclose identifiers, keywords and pieces of code with back-quotes.
59 var text: String
60
61 # The severity level
62 #
63 # * 0 is advices (see `ToolContext::advice`)
64 # * 1 is warnings (see `ToolContext::warning`)
65 # * 2 is errors (see `ToolContext::error`)
66 var level: Int
67
68 # Comparisons are made on message locations.
69 redef fun <(other: OTHER): Bool do
70 if location == null then return true
71 if other.location == null then return false
72
73 return location.as(not null) < other.location.as(not null)
74 end
75
76 redef fun ==(other): Bool do
77 if not other isa Message then return false
78 return location == other.location and tag == other.tag and text == other.text
79 end
80
81 redef fun to_s: String
82 do
83 var l = location
84 if l == null then
85 return text
86 else
87 return "{l}: {text}"
88 end
89 end
90
91 # A colored version of the message including the original source line
92 fun to_color_string: String
93 do
94 var esc = 27.code_point
95 #var red = "{esc}[0;31m"
96 #var bred = "{esc}[1;31m"
97 #var green = "{esc}[0;32m"
98 var yellow = "{esc}[0;33m"
99 var def = "{esc}[0m"
100
101 var tag = tag
102 if tag != null then
103 tag = " ({tag})"
104 else
105 tag = ""
106 end
107 var l = location
108 if l == null then
109 return "{text}{tag}"
110 else if l.file == null then
111 return "{yellow}{l}{def}: {text}{tag}"
112 else
113 return "{yellow}{l}{def}: {text}{tag}\n{l.colored_line("1;31")}"
114 end
115 end
116 end
117
118 redef class Location
119 # Errors and warnings associated to this location.
120 var messages: nullable Array[Message]
121
122 # Add a message to `self`
123 #
124 # See `messages`
125 private fun add_message(m: Message)
126 do
127 var ms = messages
128 if ms == null then
129 ms = new Array[Message]
130 messages = ms
131 end
132 ms.add m
133 var s = file
134 if s != null then s.messages.add m
135 end
136 end
137
138 redef class SourceFile
139 # Errors and warnings associated to the whole source.
140 var messages = new Array[Message]
141 end
142
143 # Global context for tools
144 class ToolContext
145 # Number of errors
146 var error_count: Int = 0 is writable
147
148 # Number of warnings
149 var warning_count: Int = 0
150
151 # Directory where to generate log files
152 var log_directory: String = "logs"
153
154 # Stream in `log_directory` where all info messages are written
155 var log_info: nullable Writer = null
156
157 # Messages
158 private var messages = new Array[Message]
159 private var message_sorter: Comparator = default_comparator
160
161 # Does an error prevent the program to stop at `check_errors`?
162 #
163 # Default to false.
164 # Set this value to `true` if you need to keep the program going in case of error.
165 var keep_going = false is writable
166
167 # List of tags per source-file whose warnings are not displayed.
168 #
169 # Initially empty, it is up to the toll to fill it.
170 # The tag "all" means all warnings and advices.
171 var warning_blacklist = new MultiHashMap[SourceFile, String]
172
173 # Is the source-file of `l` associated with `tag` in `warning_blacklist`?
174 #
175 # currently returns `false` if `l` is null or does not have a source-file.
176 fun is_warning_blacklisted(l: nullable Location, tag: String): Bool
177 do
178 if l == null then return false
179 var f = l.file
180 if f == null then return false
181 var tags = warning_blacklist.get_or_null(f)
182 if tags == null then return false
183 return tags.has("all") or tags.has(tag)
184 end
185
186 # Output all current stacked messages, total and exit the program
187 #
188 # If there is no error, exit with 0, else exit with 1.
189 fun quit
190 do
191 check_errors
192 errors_info
193 if error_count > 0 then exit(1) else exit(0)
194 end
195
196 # Output all current stacked messages
197 #
198 # Return true if no errors occurred.
199 #
200 # If some errors occurred, the behavior depends on the value of `keep_going`.
201 # If `keep_going` is false, then the total error informations is displayed and the program exits.
202 # Else, false is returned.
203 fun check_errors: Bool
204 do
205 if messages.length > 0 then
206 message_sorter.sort(messages)
207
208 for m in messages do
209 if opt_no_color.value then
210 sys.stderr.write("{m}\n")
211 else
212 sys.stderr.write("{m.to_color_string}\n")
213 end
214 end
215
216 messages.clear
217 end
218
219 if error_count > 0 then
220 if not keep_going then
221 errors_info
222 exit(1)
223 end
224 return false
225 end
226 return true
227 end
228
229 # Display total error informations
230 fun errors_info
231 do
232 if error_count == 0 and warning_count == 0 then return
233 if opt_no_color.value then return
234 sys.stderr.write "Errors: {error_count}. Warnings: {warning_count}.\n"
235 end
236
237 # Display an error
238 #
239 # Return the message (to add information)
240 fun error(l: nullable Location, s: String): Message
241 do
242 var m = new Message(l, null, s, 2)
243 if messages.has(m) then return m
244 if l != null then l.add_message m
245 if opt_warn.value <= -1 then return m
246 messages.add m
247 error_count = error_count + 1
248 if opt_stop_on_first_error.value then check_errors
249 return m
250 end
251
252 # Add an error, show errors and quit
253 #
254 # Because the program will quit, nothing is returned.
255 fun fatal_error(l: nullable Location, s: String)
256 do
257 error(l,s)
258 check_errors
259 end
260
261 # Display a first-level warning.
262 #
263 # First-level warnings are warnings that SHOULD be corrected,
264 # and COULD usually be immediately corrected.
265 #
266 # * There is a simple correction
267 # * There is no reason to let the code this way (no reasonable @supresswarning-like annotation)
268 # * They always are real issues (no false positive)
269 #
270 # First-level warnings are displayed by default (except if option `-q` is given).
271 #
272 # Return the message (to add information) or null if the warning is disabled
273 fun warning(l: nullable Location, tag: String, text: String): nullable Message
274 do
275 if is_warning_blacklisted(l, tag) then return null
276 var m = new Message(l, tag, text, 1)
277 if messages.has(m) then return null
278 if l != null then l.add_message m
279 if opt_warning.value.has("no-{tag}") then return null
280 if not opt_warning.value.has(tag) and opt_warn.value <= 0 then return null
281 messages.add m
282 warning_count = warning_count + 1
283 if opt_stop_on_first_error.value then check_errors
284 return m
285 end
286
287 # Display a second-level warning.
288 #
289 # Second-level warnings are warnings that should require investigation,
290 # but cannot always be immediately corrected.
291 #
292 # * The correction could be complex. e.g. require a refactorisation or an API change.
293 # * The correction cannot be done. e.g. Code that use a deprecated API for some compatibility reason.
294 # * There is not a real issue (false positive). Note that this should be unlikely.
295 # * Transitional: While a real warning, it fires a lot in current code, so a transition is needed
296 # in order to fix them before promoting the advice to a warning.
297 #
298 # In order to prevent warning inflation à la Java, second-level warnings are not displayed by
299 # default and require an additional option `-W`.
300 #
301 # Return the message (to add information) or null if the warning is disabled
302 fun advice(l: nullable Location, tag: String, text: String): nullable Message
303 do
304 if is_warning_blacklisted(l, tag) then return null
305 var m = new Message(l, tag, text, 0)
306 if messages.has(m) then return null
307 if l != null then l.add_message m
308 if opt_warning.value.has("no-{tag}") then return null
309 if not opt_warning.value.has(tag) and opt_warn.value <= 1 then return null
310 messages.add m
311 warning_count = warning_count + 1
312 if opt_stop_on_first_error.value then check_errors
313 return m
314 end
315
316 # Display an info
317 fun info(s: String, level: Int)
318 do
319 if level <= verbose_level then
320 print "{s}"
321 end
322 if log_info != null then
323 log_info.write s
324 log_info.write "\n"
325 end
326 end
327
328 # Executes a program while checking if it's available and if the execution ended correctly
329 #
330 # Stops execution and prints errors if the program isn't available or didn't end correctly
331 fun exec_and_check(args: Array[String], error: String)
332 do
333 info("+ {args.join(" ")}", 2)
334
335 var prog = args.first
336 args.remove_at 0
337
338 # Is the wanted program available?
339 var proc_which = new ProcessReader.from_a("which", [prog])
340 proc_which.wait
341 var res = proc_which.status
342 if res != 0 then
343 print_error "{error}: executable \"{prog}\" not found"
344 exit 1
345 end
346
347 # Execute the wanted program
348 var proc = new Process.from_a(prog, args)
349 proc.wait
350 res = proc.status
351 if res != 0 then
352 print_error "{error}: execution of \"{prog} {args.join(" ")}\" failed"
353 exit 1
354 end
355 end
356
357 # Global OptionContext
358 var option_context = new OptionContext
359
360 # Option --warn
361 var opt_warn = new OptionCount("Show additional warnings (advices)", "-W", "--warn")
362
363 # Option --warning
364 var opt_warning = new OptionArray("Show/hide a specific warning", "-w", "--warning")
365
366 # Option --quiet
367 var opt_quiet = new OptionBool("Do not show warnings", "-q", "--quiet")
368
369 # Option --log
370 var opt_log = new OptionBool("Generate various log files", "--log")
371
372 # Option --log-dir
373 var opt_log_dir = new OptionString("Directory where to generate log files", "--log-dir")
374
375 # Option --nit-dir
376 var opt_nit_dir = new OptionString("Base directory of the Nit installation", "--nit-dir")
377
378 # Option --share-dir
379 var opt_share_dir = new OptionString("Directory containing tools assets", "--share-dir")
380
381 # Option --help
382 var opt_help = new OptionBool("Show Help (This screen)", "-h", "-?", "--help")
383
384 # Option --version
385 var opt_version = new OptionBool("Show version and exit", "--version")
386
387 # Option --set-dummy-tool
388 var opt_set_dummy_tool = new OptionBool("Set toolname and version to DUMMY. Useful for testing", "--set-dummy-tool")
389
390 # Option --verbose
391 var opt_verbose = new OptionCount("Additional messages from the tool", "-v", "--verbose")
392
393 # Option --stop-on-first-error
394 var opt_stop_on_first_error = new OptionBool("Just display the first encountered error then stop", "--stop-on-first-error")
395
396 # Option --keep-going
397 var opt_keep_going = new OptionBool("Continue after errors, whatever the consequences", "--keep-going")
398
399 # Option --no-color
400 var opt_no_color = new OptionBool("Do not use color to display errors and warnings", "--no-color")
401
402 # Option --bash-completion
403 var opt_bash_completion = new OptionBool("Generate bash_completion file for this program", "--bash-completion")
404
405 # Option --stub-man
406 var opt_stub_man = new OptionBool("Generate a stub manpage in pandoc markdown format", "--stub-man")
407
408 # Option --no-contract
409 var opt_no_contract = new OptionBool("Disable the contracts usage", "--no-contract")
410
411 # Option --full-contract
412 var opt_full_contract = new OptionBool("Enable all contracts usage", "--full-contract")
413
414 # Verbose level
415 var verbose_level: Int = 0
416
417 init
418 do
419 option_context.add_option(opt_warn, opt_warning, opt_quiet, opt_stop_on_first_error, opt_keep_going, opt_no_color, opt_log, opt_log_dir, opt_nit_dir, opt_help, opt_version, opt_set_dummy_tool, opt_verbose, opt_bash_completion, opt_stub_man, opt_no_contract, opt_full_contract)
420
421 # Hide some internal options
422 opt_stub_man.hidden = true
423 opt_bash_completion.hidden = true
424 opt_set_dummy_tool.hidden = true
425 end
426
427 # Name, usage and synopsis of the tool.
428 # It is mainly used in `usage`.
429 # Should be correctly set by the client before calling `process_options`
430 # A multi-line string is recommmended.
431 #
432 # eg. `"Usage: tool [OPTION]... [FILE]...\nDo some things."`
433 var tooldescription: String = "Usage: [OPTION]... [ARG]..." is writable
434
435 # Does `process_options` should accept an empty sequence of arguments.
436 # ie. nothing except options.
437 # Is `false` by default.
438 #
439 # If required, if should be set by the client before calling `process_options`
440 var accept_no_arguments = false is writable
441
442 # print the full usage of the tool.
443 # Is called by `process_option` on `--help`.
444 # It also could be called by the client.
445 fun usage
446 do
447 print tooldescription
448 option_context.usage
449 end
450
451 # Parse and process the options given on the command line
452 fun process_options(args: Sequence[String])
453 do
454 self.opt_warn.value = 1
455
456 # init options
457 option_context.parse(args)
458
459 if opt_help.value then
460 usage
461 exit 0
462 end
463
464 if opt_version.value then
465 print version
466 exit 0
467 end
468
469 if opt_bash_completion.value then
470 var bash_completion = new BashCompletion(self)
471 bash_completion.write_to(sys.stdout)
472 exit 0
473 end
474
475 if opt_stub_man.value then
476 print """
477 # NAME
478
479 {{{tooldescription.split("\n")[1]}}}
480
481 # SYNOPSYS
482
483 # OPTIONS
484 """
485 for o in option_context.options do
486 var first = true
487 printn "### "
488 for n in o.names do
489 if first then first = false else printn ", "
490 printn "`{n}`"
491 end
492 print ""
493 print "{o.helptext}."
494 print ""
495 end
496 print """
497 # SEE ALSO
498
499 The Nit language documentation and the source code of its tools and libraries may be downloaded from <http://nitlanguage.org>"""
500 exit 0
501 end
502
503 var errors = option_context.errors
504 if not errors.is_empty then
505 for e in errors do print "Error: {e}"
506 print tooldescription
507 print "Use --help for help"
508 exit 1
509 end
510
511 nit_dir = locate_nit_dir
512
513 if option_context.rest.is_empty and not accept_no_arguments then
514 print tooldescription
515 print "Use --help for help"
516 exit 1
517 end
518
519 # Set verbose level
520 verbose_level = opt_verbose.value
521
522 if opt_keep_going.value then keep_going = true
523
524 if self.opt_quiet.value then self.opt_warn.value = 0
525
526 if opt_log_dir.value != null then log_directory = opt_log_dir.value.as(not null)
527 if opt_log.value then
528 # Make sure the output directory exists
529 log_directory.mkdir
530
531 # Redirect the verbose messages
532 log_info = (log_directory/"info.txt").to_path.open_wo
533 end
534 end
535
536 # Get the current `nit_version` or "DUMMY_VERSION" if `--set-dummy-tool` is set.
537 fun version: String do
538 if opt_set_dummy_tool.value then
539 return "DUMMY_VERSION"
540 end
541 return nit_version
542 end
543
544 # Get the name of the tool or "DUMMY_TOOL" id `--set-dummy-tool` is set.
545 fun toolname: String do
546 if opt_set_dummy_tool.value then
547 return "DUMMY_TOOL"
548 end
549 return sys.program_name.basename
550 end
551
552 # The identified root directory of the Nit package
553 #
554 # It is assignable but is automatically set by `process_options` with `locate_nit_dir`.
555 var nit_dir: nullable String = null is writable
556
557 # Shared files directory.
558 #
559 # Most often `nit/share/`.
560 var share_dir: String is lazy do
561 var sharedir = opt_share_dir.value
562 if sharedir == null then
563 sharedir = nit_dir / "share"
564 if not sharedir.file_exists then
565 fatal_error(null, "Fatal Error: cannot locate shared files directory in {sharedir}. Uses --share-dir to define it's location.")
566 end
567 end
568 return sharedir
569 end
570
571 # Guess a possible nit_dir.
572 #
573 # It uses, in order:
574 #
575 # * the option `opt_nit_dir`
576 # * the environment variable `NIT_DIR`
577 # * the runpath of the program from argv[0]
578 # * the runpath of the process from /proc
579 # * the search in PATH
580 #
581 # If there is errors (e.g. the indicated path is invalid) or if no
582 # path is found, then an error is displayed and the program exits.
583 #
584 # The result is returned without being assigned to `nit_dir`.
585 # This function is automatically called by `process_options`
586 fun locate_nit_dir: String
587 do
588 # the option has precedence
589 var res = opt_nit_dir.value
590 if res != null then
591 if not check_nit_dir(res) then
592 fatal_error(null, "Fatal Error: the value of --nit-dir does not seem to be a valid base Nit directory: {res}.")
593 end
594 return res
595 end
596
597 # then the environ variable has precedence
598 res = "NIT_DIR".environ
599 if not res.is_empty then
600 if not check_nit_dir(res) then
601 fatal_error(null, "Fatal Error: the value of NIT_DIR does not seem to be a valid base Nit directory: {res}.")
602 end
603 return res
604 end
605
606 # find the runpath of the program from argv[0]
607 res = "{sys.program_name.dirname}/.."
608 if check_nit_dir(res) then return res.simplify_path
609
610 # find the runpath of the process from /proc
611 var exe = "/proc/self/exe"
612 if exe.file_exists then
613 res = exe.realpath
614 res = res.dirname.join_path("..")
615 if check_nit_dir(res) then return res.simplify_path
616 end
617
618 # search in the PATH
619 var path_sep = if is_windows then ";" else ":"
620 var ps = "PATH".environ.split(path_sep)
621 for p in ps do
622 res = p/".."
623 if check_nit_dir(res) then return res.simplify_path
624 end
625
626 fatal_error(null, "Fatal Error: cannot locate a valid base Nit directory. It is quite unexpected. Try to set the environment variable `NIT_DIR` or to use the `--nit-dir` option.")
627 abort
628 end
629
630 private fun check_nit_dir(res: String): Bool
631 do
632 return res.file_exists and "{res}/src/nit.nit".file_exists
633 end
634 end
635
636 # This class generates a compatible `bash_completion` script file.
637 #
638 # On some Linux systems `bash_completion` allow the program to control command line behaviour.
639 #
640 # ~~~sh
641 # $ nitls [TAB][TAB]
642 # file1.nit file2.nit file3.nit
643 #
644 # $ nitls --[TAB][TAB]
645 # --bash-toolname --keep --path --tree
646 # --depends --log --package --verbose
647 # --disable-phase --log-dir --quiet --version
648 # --gen-bash-completion --no-color --recursive --warn
649 # --help --only-metamodel --source
650 # --ignore-visibility --only-parse --stop-on-first-error
651 # ~~~
652 #
653 # Generated file can be placed in system bash_completion directory `/etc/bash_completion.d/`
654 # or source it in `~/.bash_completion`.
655 class BashCompletion
656 super Template
657
658 var toolcontext: ToolContext
659
660 private fun extract_options_names: Array[String] do
661 var names = new Array[String]
662 for option in toolcontext.option_context.options do
663 for name in option.names do
664 if name.has_prefix("--") then names.add name
665 end
666 end
667 return names
668 end
669
670 redef fun rendering do
671 var name = toolcontext.toolname
672 var option_names = extract_options_names
673 addn "# generated bash completion file for {name} {toolcontext.version}"
674 addn "_{name}()"
675 addn "\{"
676 addn " local cur prev opts"
677 addn " COMPREPLY=()"
678 addn " cur=\"$\{COMP_WORDS[COMP_CWORD]\}\""
679 addn " prev=\"$\{COMP_WORDS[COMP_CWORD-1]\}\""
680 if not option_names.is_empty then
681 addn " opts=\"{option_names.join(" ")}\""
682 addn " if [[ $\{cur\} == -* ]] ; then"
683 addn " COMPREPLY=( $(compgen -W \"$\{opts\}\" -- $\{cur\}) )"
684 addn " return 0"
685 addn " fi"
686 end
687 addn "\} &&"
688 addn "complete -o default -F _{name} {name}"
689 end
690 end