tcltest.tcl
上传用户:rrhhcc
上传日期:2015-12-11
资源大小:54129k
文件大小:96k
源码类别:

通讯编程

开发平台:

Visual C++

  1. # tcltest.tcl --
  2. #
  3. # This file contains support code for the Tcl test suite.  It
  4. #       defines the tcltest namespace and finds and defines the output
  5. #       directory, constraints available, output and error channels,
  6. # etc. used by Tcl tests.  See the tcltest man page for more
  7. # details.
  8. #
  9. #       This design was based on the Tcl testing approach designed and
  10. #       initially implemented by Mary Ann May-Pumphrey of Sun
  11. # Microsystems.
  12. #
  13. # Copyright (c) 1994-1997 Sun Microsystems, Inc.
  14. # Copyright (c) 1998-1999 by Scriptics Corporation.
  15. # Copyright (c) 2000 by Ajuba Solutions
  16. # Contributions from Don Porter, NIST, 2002.  (not subject to US copyright)
  17. # All rights reserved.
  18. #
  19. # RCS: @(#) $Id: tcltest.tcl,v 1.78.2.14 2007/09/11 21:18:42 dgp Exp $
  20. package require Tcl 8.3 ;# uses [glob -directory]
  21. namespace eval tcltest {
  22.     # When the version number changes, be sure to update the pkgIndex.tcl file,
  23.     # and the install directory in the Makefiles.  When the minor version
  24.     # changes (new feature) be sure to update the man page as well.
  25.     variable Version 2.2.9
  26.     # Compatibility support for dumb variables defined in tcltest 1
  27.     # Do not use these.  Call [package provide Tcl] and [info patchlevel]
  28.     # yourself.  You don't need tcltest to wrap it for you.
  29.     variable version [package provide Tcl]
  30.     variable patchLevel [info patchlevel]
  31. ##### Export the public tcltest procs; several categories
  32.     #
  33.     # Export the main functional commands that do useful things
  34.     namespace export cleanupTests loadTestedCommands makeDirectory 
  35. makeFile removeDirectory removeFile runAllTests test
  36.     # Export configuration commands that control the functional commands
  37.     namespace export configure customMatch errorChannel interpreter 
  38.     outputChannel testConstraint
  39.     # Export commands that are duplication (candidates for deprecation)
  40.     namespace export bytestring ;# dups [encoding convertfrom identity]
  41.     namespace export debug ;# [configure -debug]
  42.     namespace export errorFile ;# [configure -errfile]
  43.     namespace export limitConstraints ;# [configure -limitconstraints]
  44.     namespace export loadFile ;# [configure -loadfile]
  45.     namespace export loadScript ;# [configure -load]
  46.     namespace export match ;# [configure -match]
  47.     namespace export matchFiles ;# [configure -file]
  48.     namespace export matchDirectories ;# [configure -relateddir]
  49.     namespace export normalizeMsg ;# application of [customMatch]
  50.     namespace export normalizePath ;# [file normalize] (8.4)
  51.     namespace export outputFile ;# [configure -outfile]
  52.     namespace export preserveCore ;# [configure -preservecore]
  53.     namespace export singleProcess ;# [configure -singleproc]
  54.     namespace export skip ;# [configure -skip]
  55.     namespace export skipFiles ;# [configure -notfile]
  56.     namespace export skipDirectories ;# [configure -asidefromdir]
  57.     namespace export temporaryDirectory ;# [configure -tmpdir]
  58.     namespace export testsDirectory ;# [configure -testdir]
  59.     namespace export verbose ;# [configure -verbose]
  60.     namespace export viewFile ;# binary encoding [read]
  61.     namespace export workingDirectory ;# [cd] [pwd]
  62.     # Export deprecated commands for tcltest 1 compatibility
  63.     namespace export getMatchingFiles mainThread restoreState saveState 
  64.     threadReap
  65.     # tcltest::normalizePath --
  66.     #
  67.     #     This procedure resolves any symlinks in the path thus creating
  68.     #     a path without internal redirection. It assumes that the
  69.     #     incoming path is absolute.
  70.     #
  71.     # Arguments
  72.     #     pathVar - name of variable containing path to modify.
  73.     #
  74.     # Results
  75.     #     The path is modified in place.
  76.     #
  77.     # Side Effects:
  78.     #     None.
  79.     #
  80.     proc normalizePath {pathVar} {
  81. upvar $pathVar path
  82. set oldpwd [pwd]
  83. catch {cd $path}
  84. set path [pwd]
  85. cd $oldpwd
  86. return $path
  87.     }
  88. ##### Verification commands used to test values of variables and options
  89.     #
  90.     # Verification command that accepts everything
  91.     proc AcceptAll {value} {
  92. return $value
  93.     }
  94.     # Verification command that accepts valid Tcl lists
  95.     proc AcceptList { list } {
  96. return [lrange $list 0 end]
  97.     }
  98.     # Verification command that accepts a glob pattern
  99.     proc AcceptPattern { pattern } {
  100. return [AcceptAll $pattern]
  101.     }
  102.     # Verification command that accepts integers
  103.     proc AcceptInteger { level } {
  104. return [incr level 0]
  105.     }
  106.     # Verification command that accepts boolean values
  107.     proc AcceptBoolean { boolean } {
  108. return [expr {$boolean && $boolean}]
  109.     }
  110.     # Verification command that accepts (syntactically) valid Tcl scripts
  111.     proc AcceptScript { script } {
  112. if {![info complete $script]} {
  113.     return -code error "invalid Tcl script: $script"
  114. }
  115. return $script
  116.     }
  117.     # Verification command that accepts (converts to) absolute pathnames
  118.     proc AcceptAbsolutePath { path } {
  119. return [file join [pwd] $path]
  120.     }
  121.     # Verification command that accepts existing readable directories
  122.     proc AcceptReadable { path } {
  123. if {![file readable $path]} {
  124.     return -code error ""$path" is not readable"
  125. }
  126. return $path
  127.     }
  128.     proc AcceptDirectory { directory } {
  129. set directory [AcceptAbsolutePath $directory]
  130. if {![file exists $directory]} {
  131.     return -code error ""$directory" does not exist"
  132. }
  133. if {![file isdir $directory]} {
  134.     return -code error ""$directory" is not a directory"
  135. }
  136. return [AcceptReadable $directory]
  137.     }
  138. ##### Initialize internal arrays of tcltest, but only if the caller
  139.     # has not already pre-initialized them.  This is done to support
  140.     # compatibility with older tests that directly access internals
  141.     # rather than go through command interfaces.
  142.     #
  143.     proc ArrayDefault {varName value} {
  144. variable $varName
  145. if {[array exists $varName]} {
  146.     return
  147. }
  148. if {[info exists $varName]} {
  149.     # Pre-initialized value is a scalar: destroy it!
  150.     unset $varName
  151. }
  152. array set $varName $value
  153.     }
  154.     # save the original environment so that it can be restored later
  155.     ArrayDefault originalEnv [array get ::env]
  156.     # initialize numTests array to keep track of the number of tests
  157.     # that pass, fail, and are skipped.
  158.     ArrayDefault numTests [list Total 0 Passed 0 Skipped 0 Failed 0]
  159.     # createdNewFiles will store test files as indices and the list of
  160.     # files (that should not have been) left behind by the test files
  161.     # as values.
  162.     ArrayDefault createdNewFiles {}
  163.     # initialize skippedBecause array to keep track of constraints that
  164.     # kept tests from running; a constraint name of "userSpecifiedSkip"
  165.     # means that the test appeared on the list of tests that matched the
  166.     # -skip value given to the flag; "userSpecifiedNonMatch" means that
  167.     # the test didn't match the argument given to the -match flag; both
  168.     # of these constraints are counted only if tcltest::debug is set to
  169.     # true.
  170.     ArrayDefault skippedBecause {}
  171.     # initialize the testConstraints array to keep track of valid
  172.     # predefined constraints (see the explanation for the
  173.     # InitConstraints proc for more details).
  174.     ArrayDefault testConstraints {}
  175. ##### Initialize internal variables of tcltest, but only if the caller
  176.     # has not already pre-initialized them.  This is done to support
  177.     # compatibility with older tests that directly access internals
  178.     # rather than go through command interfaces.
  179.     #
  180.     proc Default {varName value {verify AcceptAll}} {
  181. variable $varName
  182. if {![info exists $varName]} {
  183.     variable $varName [$verify $value]
  184. } else {
  185.     variable $varName [$verify [set $varName]]
  186. }
  187.     }
  188.     # Save any arguments that we might want to pass through to other
  189.     # programs.  This is used by the -args flag.
  190.     # FINDUSER
  191.     Default parameters {}
  192.     # Count the number of files tested (0 if runAllTests wasn't called).
  193.     # runAllTests will set testSingleFile to false, so stats will
  194.     # not be printed until runAllTests calls the cleanupTests proc.
  195.     # The currentFailure var stores the boolean value of whether the
  196.     # current test file has had any failures.  The failFiles list
  197.     # stores the names of test files that had failures.
  198.     Default numTestFiles 0 AcceptInteger
  199.     Default testSingleFile true AcceptBoolean
  200.     Default currentFailure false AcceptBoolean
  201.     Default failFiles {} AcceptList
  202.     # Tests should remove all files they create.  The test suite will
  203.     # check the current working dir for files created by the tests.
  204.     # filesMade keeps track of such files created using the makeFile and
  205.     # makeDirectory procedures.  filesExisted stores the names of
  206.     # pre-existing files.
  207.     #
  208.     # Note that $filesExisted lists only those files that exist in
  209.     # the original [temporaryDirectory].
  210.     Default filesMade {} AcceptList
  211.     Default filesExisted {} AcceptList
  212.     proc FillFilesExisted {} {
  213. variable filesExisted
  214. # Save the names of files that already exist in the scratch directory.
  215. foreach file [glob -nocomplain -directory [temporaryDirectory] *] {
  216.     lappend filesExisted [file tail $file]
  217. }
  218. # After successful filling, turn this into a no-op.
  219. proc FillFilesExisted args {}
  220.     }
  221.     # Kept only for compatibility
  222.     Default constraintsSpecified {} AcceptList
  223.     trace variable constraintsSpecified r {set ::tcltest::constraintsSpecified 
  224. [array names ::tcltest::testConstraints] ;# }
  225.     # tests that use threads need to know which is the main thread
  226.     Default mainThread 1
  227.     variable mainThread
  228.     if {[info commands thread::id] != {}} {
  229. set mainThread [thread::id]
  230.     } elseif {[info commands testthread] != {}} {
  231. set mainThread [testthread id]
  232.     }
  233.     # Set workingDirectory to [pwd]. The default output directory for
  234.     # Tcl tests is the working directory.  Whenever this value changes
  235.     # change to that directory.
  236.     variable workingDirectory
  237.     trace variable workingDirectory w 
  238.     [namespace code {cd $workingDirectory ;#}]
  239.     Default workingDirectory [pwd] AcceptAbsolutePath
  240.     proc workingDirectory { {dir ""} } {
  241. variable workingDirectory
  242. if {[llength [info level 0]] == 1} {
  243.     return $workingDirectory
  244. }
  245. set workingDirectory [AcceptAbsolutePath $dir]
  246.     }
  247.     # Set the location of the execuatble
  248.     Default tcltest [info nameofexecutable]
  249.     trace variable tcltest w [namespace code {testConstraint stdio 
  250.     [eval [ConstraintInitializer stdio]] ;#}]
  251.     # save the platform information so it can be restored later
  252.     Default originalTclPlatform [array get ::tcl_platform]
  253.     # If a core file exists, save its modification time.
  254.     if {[file exists [file join [workingDirectory] core]]} {
  255. Default coreModTime 
  256. [file mtime [file join [workingDirectory] core]]
  257.     }
  258.     # stdout and stderr buffers for use when we want to store them
  259.     Default outData {}
  260.     Default errData {}
  261.     # keep track of test level for nested test commands
  262.     variable testLevel 0
  263.     # the variables and procs that existed when saveState was called are
  264.     # stored in a variable of the same name
  265.     Default saveState {}
  266.     # Internationalization support -- used in [SetIso8859_1_Locale] and
  267.     # [RestoreLocale]. Those commands are used in cmdIL.test.
  268.     if {![info exists [namespace current]::isoLocale]} {
  269. variable isoLocale fr
  270. switch -- $::tcl_platform(platform) {
  271.     "unix" {
  272. # Try some 'known' values for some platforms:
  273. switch -exact -- $::tcl_platform(os) {
  274.     "FreeBSD" {
  275. set isoLocale fr_FR.ISO_8859-1
  276.     }
  277.     HP-UX {
  278. set isoLocale fr_FR.iso88591
  279.     }
  280.     Linux -
  281.     IRIX {
  282. set isoLocale fr
  283.     }
  284.     default {
  285. # Works on SunOS 4 and Solaris, and maybe
  286. # others...  Define it to something else on your
  287. # system if you want to test those.
  288. set isoLocale iso_8859_1
  289.     }
  290. }
  291.     }
  292.     "windows" {
  293. set isoLocale French
  294.     }
  295. }
  296.     }
  297.     variable ChannelsWeOpened; array set ChannelsWeOpened {}
  298.     # output goes to stdout by default
  299.     Default outputChannel stdout
  300.     proc outputChannel { {filename ""} } {
  301. variable outputChannel
  302. variable ChannelsWeOpened
  303. # This is very subtle and tricky, so let me try to explain.
  304. # (Hopefully this longer comment will be clear when I come
  305. # back in a few months, unlike its predecessor :) )
  306. # The [outputChannel] command (and underlying variable) have to
  307. # be kept in sync with the [configure -outfile] configuration
  308. # option ( and underlying variable Option(-outfile) ).  This is
  309. # accomplished with a write trace on Option(-outfile) that will
  310. # update [outputChannel] whenver a new value is written.  That
  311. # much is easy.
  312. #
  313. # The trick is that in order to maintain compatibility with
  314. # version 1 of tcltest, we must allow every configuration option
  315. # to get its inital value from command line arguments.  This is
  316. # accomplished by setting initial read traces on all the
  317. # configuration options to parse the command line option the first
  318. # time they are read.  These traces are cancelled whenever the
  319. # program itself calls [configure].
  320. # OK, then so to support tcltest 1 compatibility, it seems we want
  321. # to get the return from [outputFile] to trigger the read traces,
  322. # just in case.
  323. #
  324. # BUT!  A little known feature of Tcl variable traces is that 
  325. # traces are disabled during the handling of other traces.  So,
  326. # if we trigger read traces on Option(-outfile) and that triggers
  327. # command line parsing which turns around and sets an initial
  328. # value for Option(-outfile) -- <whew!> -- the write trace that
  329. # would keep [outputChannel] in sync with that new initial value
  330. # would not fire!
  331. #
  332. # SO, finally, as a workaround, instead of triggering read traces
  333. # by invoking [outputFile], we instead trigger the same set of
  334. # read traces by invoking [debug].  Any command that reads a
  335. # configuration option would do.  [debug] is just a handy one.
  336. # The end result is that we support tcltest 1 compatibility and
  337. # keep outputChannel and -outfile in sync in all cases.
  338. debug
  339. if {[llength [info level 0]] == 1} {
  340.     return $outputChannel
  341. }
  342. if {[info exists ChannelsWeOpened($outputChannel)]} {
  343.     close $outputChannel
  344.     unset ChannelsWeOpened($outputChannel)
  345. }
  346. switch -exact -- $filename {
  347.     stderr -
  348.     stdout {
  349. set outputChannel $filename
  350.     }
  351.     default {
  352. set outputChannel [open $filename a]
  353. set ChannelsWeOpened($outputChannel) 1
  354. # If we created the file in [temporaryDirectory], then
  355. # [cleanupTests] will delete it, unless we claim it was
  356. # already there.
  357. set outdir [normalizePath [file dirname 
  358. [file join [pwd] $filename]]]
  359. if {[string equal $outdir [temporaryDirectory]]} {
  360.     variable filesExisted
  361.     FillFilesExisted
  362.     set filename [file tail $filename]
  363.     if {[lsearch -exact $filesExisted $filename] == -1} {
  364. lappend filesExisted $filename
  365.     }
  366. }
  367.     }
  368. }
  369. return $outputChannel
  370.     }
  371.     # errors go to stderr by default
  372.     Default errorChannel stderr
  373.     proc errorChannel { {filename ""} } {
  374. variable errorChannel
  375. variable ChannelsWeOpened
  376. # This is subtle and tricky.  See the comment above in
  377. # [outputChannel] for a detailed explanation.
  378. debug
  379. if {[llength [info level 0]] == 1} {
  380.     return $errorChannel
  381. }
  382. if {[info exists ChannelsWeOpened($errorChannel)]} {
  383.     close $errorChannel
  384.     unset ChannelsWeOpened($errorChannel)
  385. }
  386. switch -exact -- $filename {
  387.     stderr -
  388.     stdout {
  389. set errorChannel $filename
  390.     }
  391.     default {
  392. set errorChannel [open $filename a]
  393. set ChannelsWeOpened($errorChannel) 1
  394. # If we created the file in [temporaryDirectory], then
  395. # [cleanupTests] will delete it, unless we claim it was
  396. # already there.
  397. set outdir [normalizePath [file dirname 
  398. [file join [pwd] $filename]]]
  399. if {[string equal $outdir [temporaryDirectory]]} {
  400.     variable filesExisted
  401.     FillFilesExisted
  402.     set filename [file tail $filename]
  403.     if {[lsearch -exact $filesExisted $filename] == -1} {
  404. lappend filesExisted $filename
  405.     }
  406. }
  407.     }
  408. }
  409. return $errorChannel
  410.     }
  411. ##### Set up the configurable options
  412.     #
  413.     # The configurable options of the package
  414.     variable Option; array set Option {}
  415.     # Usage strings for those options
  416.     variable Usage; array set Usage {}
  417.     # Verification commands for those options
  418.     variable Verify; array set Verify {}
  419.     # Initialize the default values of the configurable options that are
  420.     # historically associated with an exported variable.  If that variable
  421.     # is already set, support compatibility by accepting its pre-set value.
  422.     # Use [trace] to establish ongoing connection between the deprecated
  423.     # exported variable and the modern option kept as a true internal var.
  424.     # Also set up usage string and value testing for the option.
  425.     proc Option {option value usage {verify AcceptAll} {varName {}}} {
  426. variable Option
  427. variable Verify
  428. variable Usage
  429. variable OptionControlledVariables
  430. set Usage($option) $usage
  431. set Verify($option) $verify
  432. if {[catch {$verify $value} msg]} {
  433.     return -code error $msg
  434. } else {
  435.     set Option($option) $msg
  436. }
  437. if {[string length $varName]} {
  438.     variable $varName
  439.     if {[info exists $varName]} {
  440. if {[catch {$verify [set $varName]} msg]} {
  441.     return -code error $msg
  442. } else {
  443.     set Option($option) $msg
  444. }
  445. unset $varName
  446.     }
  447.     namespace eval [namespace current] 
  448.          [list upvar 0 Option($option) $varName]
  449.     # Workaround for Bug (now Feature Request) 572889.  Grrrr....
  450.     # Track all the variables tied to options
  451.     lappend OptionControlledVariables $varName
  452.     # Later, set auto-configure read traces on all
  453.     # of them, since a single trace on Option does not work.
  454.     proc $varName {{value {}}} [subst -nocommands {
  455. if {[llength [info level 0]] == 2} {
  456.     Configure $option [set value]
  457. }
  458. return [Configure $option]
  459.     }]
  460. }
  461.     }
  462.     proc MatchingOption {option} {
  463. variable Option
  464. set match [array names Option $option*]
  465. switch -- [llength $match] {
  466.     0 {
  467. set sorted [lsort [array names Option]]
  468. set values [join [lrange $sorted 0 end-1] ", "]
  469. append values ", or [lindex $sorted end]"
  470. return -code error "unknown option $option: should be
  471. one of $values"
  472.     }
  473.     1 {
  474. return [lindex $match 0]
  475.     }
  476.     default {
  477. # Exact match trumps ambiguity
  478. if {[lsearch -exact $match $option] >= 0} {
  479.     return $option
  480. }
  481. set values [join [lrange $match 0 end-1] ", "]
  482. append values ", or [lindex $match end]"
  483. return -code error "ambiguous option $option:
  484. could match $values"
  485.     }
  486. }
  487.     }
  488.     proc EstablishAutoConfigureTraces {} {
  489. variable OptionControlledVariables
  490. foreach varName [concat $OptionControlledVariables Option] {
  491.     variable $varName
  492.     trace variable $varName r [namespace code {ProcessCmdLineArgs ;#}]
  493. }
  494.     }
  495.     proc RemoveAutoConfigureTraces {} {
  496. variable OptionControlledVariables
  497. foreach varName [concat $OptionControlledVariables Option] {
  498.     variable $varName
  499.     foreach pair [trace vinfo $varName] {
  500. foreach {op cmd} $pair break
  501. if {[string equal r $op]
  502. && [string match *ProcessCmdLineArgs* $cmd]} {
  503.     trace vdelete $varName $op $cmd
  504. }
  505.     }
  506. }
  507. # Once the traces are removed, this can become a no-op
  508. proc RemoveAutoConfigureTraces {} {}
  509.     }
  510.     proc Configure args {
  511. variable Option
  512. variable Verify
  513. set n [llength $args]
  514. if {$n == 0} {
  515.     return [lsort [array names Option]]
  516. }
  517. if {$n == 1} {
  518.     if {[catch {MatchingOption [lindex $args 0]} option]} {
  519. return -code error $option
  520.     }
  521.     return $Option($option)
  522. }
  523. while {[llength $args] > 1} {
  524.     if {[catch {MatchingOption [lindex $args 0]} option]} {
  525. return -code error $option
  526.     }
  527.     if {[catch {$Verify($option) [lindex $args 1]} value]} {
  528. return -code error "invalid $option
  529. value "[lindex $args 1]": $value"
  530.     }
  531.     set Option($option) $value
  532.     set args [lrange $args 2 end]
  533. }
  534. if {[llength $args]} {
  535.     if {[catch {MatchingOption [lindex $args 0]} option]} {
  536. return -code error $option
  537.     }
  538.     return -code error "missing value for option $option"
  539. }
  540.     }
  541.     proc configure args {
  542. RemoveAutoConfigureTraces
  543. set code [catch {eval Configure $args} msg]
  544. return -code $code $msg
  545.     }
  546.     
  547.     proc AcceptVerbose { level } {
  548. set level [AcceptList $level]
  549. if {[llength $level] == 1} {
  550.     if {![regexp {^(pass|body|skip|start|error)$} $level]} {
  551. # translate single characters abbreviations to expanded list
  552. set level [string map {p pass b body s skip t start e error} 
  553. [split $level {}]]
  554.     }
  555. }
  556. set valid [list]
  557. foreach v $level {
  558.     if {[regexp {^(pass|body|skip|start|error)$} $v]} {
  559. lappend valid $v
  560.     }
  561. }
  562. return $valid
  563.     }
  564.     proc IsVerbose {level} {
  565. variable Option
  566. return [expr {[lsearch -exact $Option(-verbose) $level] != -1}]
  567.     }
  568.     # Default verbosity is to show bodies of failed tests
  569.     Option -verbose {body error} {
  570. Takes any combination of the values 'p', 's', 'b', 't' and 'e'.
  571. Test suite will display all passed tests if 'p' is specified, all
  572. skipped tests if 's' is specified, the bodies of failed tests if
  573. 'b' is specified, and when tests start if 't' is specified.
  574. ErrorInfo is displayed if 'e' is specified.
  575.     } AcceptVerbose verbose
  576.     # Match and skip patterns default to the empty list, except for
  577.     # matchFiles, which defaults to all .test files in the
  578.     # testsDirectory and matchDirectories, which defaults to all
  579.     # directories.
  580.     Option -match * {
  581. Run all tests within the specified files that match one of the
  582. list of glob patterns given.
  583.     } AcceptList match
  584.     Option -skip {} {
  585. Skip all tests within the specified tests (via -match) and files
  586. that match one of the list of glob patterns given.
  587.     } AcceptList skip
  588.     Option -file *.test {
  589. Run tests in all test files that match the glob pattern given.
  590.     } AcceptPattern matchFiles
  591.     # By default, skip files that appear to be SCCS lock files.
  592.     Option -notfile l.*.test {
  593. Skip all test files that match the glob pattern given.
  594.     } AcceptPattern skipFiles
  595.     Option -relateddir * {
  596. Run tests in directories that match the glob pattern given.
  597.     } AcceptPattern matchDirectories
  598.     Option -asidefromdir {} {
  599. Skip tests in directories that match the glob pattern given.
  600.     } AcceptPattern skipDirectories
  601.     # By default, don't save core files
  602.     Option -preservecore 0 {
  603. If 2, save any core files produced during testing in the directory
  604. specified by -tmpdir. If 1, notify the user if core files are
  605. created.
  606.     } AcceptInteger preserveCore
  607.     # debug output doesn't get printed by default; debug level 1 spits
  608.     # up only the tests that were skipped because they didn't match or
  609.     # were specifically skipped.  A debug level of 2 would spit up the
  610.     # tcltest variables and flags provided; a debug level of 3 causes
  611.     # some additional output regarding operations of the test harness.
  612.     # The tcltest package currently implements only up to debug level 3.
  613.     Option -debug 0 {
  614. Internal debug level 
  615.     } AcceptInteger debug
  616.     proc SetSelectedConstraints args {
  617. variable Option
  618. foreach c $Option(-constraints) {
  619.     testConstraint $c 1
  620. }
  621.     }
  622.     Option -constraints {} {
  623. Do not skip the listed constraints listed in -constraints.
  624.     } AcceptList
  625.     trace variable Option(-constraints) w 
  626.     [namespace code {SetSelectedConstraints ;#}]
  627.     # Don't run only the "-constraint" specified tests by default
  628.     proc ClearUnselectedConstraints args {
  629. variable Option
  630. variable testConstraints
  631. if {!$Option(-limitconstraints)} {return}
  632. foreach c [array names testConstraints] {
  633.     if {[lsearch -exact $Option(-constraints) $c] == -1} {
  634. testConstraint $c 0
  635.     }
  636. }
  637.     }
  638.     Option -limitconstraints false {
  639. whether to run only tests with the constraints
  640.     } AcceptBoolean limitConstraints 
  641.     trace variable Option(-limitconstraints) w 
  642.     [namespace code {ClearUnselectedConstraints ;#}]
  643.     # A test application has to know how to load the tested commands
  644.     # into the interpreter.
  645.     Option -load {} {
  646. Specifies the script to load the tested commands.
  647.     } AcceptScript loadScript
  648.     # Default is to run each test file in a separate process
  649.     Option -singleproc 0 {
  650. whether to run all tests in one process
  651.     } AcceptBoolean singleProcess 
  652.     proc AcceptTemporaryDirectory { directory } {
  653. set directory [AcceptAbsolutePath $directory]
  654. if {![file exists $directory]} {
  655.     file mkdir $directory
  656. }
  657. set directory [AcceptDirectory $directory]
  658. if {![file writable $directory]} {
  659.     if {[string equal [workingDirectory] $directory]} {
  660. # Special exception: accept the default value
  661. # even if the directory is not writable
  662. return $directory
  663.     }
  664.     return -code error ""$directory" is not writeable"
  665. }
  666. return $directory
  667.     }
  668.     # Directory where files should be created
  669.     Option -tmpdir [workingDirectory] {
  670. Save temporary files in the specified directory.
  671.     } AcceptTemporaryDirectory temporaryDirectory
  672.     trace variable Option(-tmpdir) w 
  673.     [namespace code {normalizePath Option(-tmpdir) ;#}]
  674.     # Tests should not rely on the current working directory.
  675.     # Files that are part of the test suite should be accessed relative
  676.     # to [testsDirectory]
  677.     Option -testdir [workingDirectory] {
  678. Search tests in the specified directory.
  679.     } AcceptDirectory testsDirectory
  680.     trace variable Option(-testdir) w 
  681.     [namespace code {normalizePath Option(-testdir) ;#}]
  682.     proc AcceptLoadFile { file } {
  683. if {[string equal "" $file]} {return $file}
  684. set file [file join [temporaryDirectory] $file]
  685. return [AcceptReadable $file]
  686.     }
  687.     proc ReadLoadScript {args} {
  688. variable Option
  689. if {[string equal "" $Option(-loadfile)]} {return}
  690. set tmp [open $Option(-loadfile) r]
  691. loadScript [read $tmp]
  692. close $tmp
  693.     }
  694.     Option -loadfile {} {
  695. Read the script to load the tested commands from the specified file.
  696.     } AcceptLoadFile loadFile
  697.     trace variable Option(-loadfile) w [namespace code ReadLoadScript]
  698.     proc AcceptOutFile { file } {
  699. if {[string equal stderr $file]} {return $file}
  700. if {[string equal stdout $file]} {return $file}
  701. return [file join [temporaryDirectory] $file]
  702.     }
  703.     # output goes to stdout by default
  704.     Option -outfile stdout {
  705. Send output from test runs to the specified file.
  706.     } AcceptOutFile outputFile
  707.     trace variable Option(-outfile) w 
  708.     [namespace code {outputChannel $Option(-outfile) ;#}]
  709.     # errors go to stderr by default
  710.     Option -errfile stderr {
  711. Send errors from test runs to the specified file.
  712.     } AcceptOutFile errorFile
  713.     trace variable Option(-errfile) w 
  714.     [namespace code {errorChannel $Option(-errfile) ;#}]
  715. }
  716. #####################################################################
  717. # tcltest::Debug* --
  718. #
  719. #     Internal helper procedures to write out debug information
  720. #     dependent on the chosen level. A test shell may overide
  721. #     them, f.e. to redirect the output into a different
  722. #     channel, or even into a GUI.
  723. # tcltest::DebugPuts --
  724. #
  725. #     Prints the specified string if the current debug level is
  726. #     higher than the provided level argument.
  727. #
  728. # Arguments:
  729. #     level   The lowest debug level triggering the output
  730. #     string  The string to print out.
  731. #
  732. # Results:
  733. #     Prints the string. Nothing else is allowed.
  734. #
  735. # Side Effects:
  736. #     None.
  737. #
  738. proc tcltest::DebugPuts {level string} {
  739.     variable debug
  740.     if {$debug >= $level} {
  741. puts $string
  742.     }
  743.     return
  744. }
  745. # tcltest::DebugPArray --
  746. #
  747. #     Prints the contents of the specified array if the current
  748. #       debug level is higher than the provided level argument
  749. #
  750. # Arguments:
  751. #     level           The lowest debug level triggering the output
  752. #     arrayvar        The name of the array to print out.
  753. #
  754. # Results:
  755. #     Prints the contents of the array. Nothing else is allowed.
  756. #
  757. # Side Effects:
  758. #     None.
  759. #
  760. proc tcltest::DebugPArray {level arrayvar} {
  761.     variable debug
  762.     if {$debug >= $level} {
  763. catch {upvar  $arrayvar $arrayvar}
  764. parray $arrayvar
  765.     }
  766.     return
  767. }
  768. # Define our own [parray] in ::tcltest that will inherit use of the [puts]
  769. # defined in ::tcltest.  NOTE: Ought to construct with [info args] and
  770. # [info default], but can't be bothered now.  If [parray] changes, then
  771. # this will need changing too.
  772. auto_load ::parray
  773. proc tcltest::parray {a {pattern *}} [info body ::parray]
  774. # tcltest::DebugDo --
  775. #
  776. #     Executes the script if the current debug level is greater than
  777. #       the provided level argument
  778. #
  779. # Arguments:
  780. #     level   The lowest debug level triggering the execution.
  781. #     script  The tcl script executed upon a debug level high enough.
  782. #
  783. # Results:
  784. #     Arbitrary side effects, dependent on the executed script.
  785. #
  786. # Side Effects:
  787. #     None.
  788. #
  789. proc tcltest::DebugDo {level script} {
  790.     variable debug
  791.     if {$debug >= $level} {
  792. uplevel 1 $script
  793.     }
  794.     return
  795. }
  796. #####################################################################
  797. proc tcltest::Warn {msg} {
  798.     puts [outputChannel] "WARNING: $msg"
  799. }
  800. # tcltest::mainThread
  801. #
  802. #     Accessor command for tcltest variable mainThread.
  803. #
  804. proc tcltest::mainThread { {new ""} } {
  805.     variable mainThread
  806.     if {[llength [info level 0]] == 1} {
  807. return $mainThread
  808.     }
  809.     set mainThread $new
  810. }
  811. # tcltest::testConstraint --
  812. #
  813. # sets a test constraint to a value; to do multiple constraints,
  814. #       call this proc multiple times.  also returns the value of the
  815. #       named constraint if no value was supplied.
  816. #
  817. # Arguments:
  818. # constraint - name of the constraint
  819. #       value - new value for constraint (should be boolean) - if not
  820. #               supplied, this is a query
  821. #
  822. # Results:
  823. # content of tcltest::testConstraints($constraint)
  824. #
  825. # Side effects:
  826. # none
  827. proc tcltest::testConstraint {constraint {value ""}} {
  828.     variable testConstraints
  829.     variable Option
  830.     DebugPuts 3 "entering testConstraint $constraint $value"
  831.     if {[llength [info level 0]] == 2} {
  832. return $testConstraints($constraint)
  833.     }
  834.     # Check for boolean values
  835.     if {[catch {expr {$value && $value}} msg]} {
  836. return -code error $msg
  837.     }
  838.     if {[limitConstraints] 
  839.     && [lsearch -exact $Option(-constraints) $constraint] == -1} {
  840. set value 0
  841.     }
  842.     set testConstraints($constraint) $value
  843. }
  844. # tcltest::interpreter --
  845. #
  846. # the interpreter name stored in tcltest::tcltest
  847. #
  848. # Arguments:
  849. # executable name
  850. #
  851. # Results:
  852. # content of tcltest::tcltest
  853. #
  854. # Side effects:
  855. # None.
  856. proc tcltest::interpreter { {interp ""} } {
  857.     variable tcltest
  858.     if {[llength [info level 0]] == 1} {
  859. return $tcltest
  860.     }
  861.     if {[string equal {} $interp]} {
  862. set tcltest {}
  863.     } else {
  864. set tcltest $interp
  865.     }
  866. }
  867. #####################################################################
  868. # tcltest::AddToSkippedBecause --
  869. #
  870. # Increments the variable used to track how many tests were
  871. #       skipped because of a particular constraint.
  872. #
  873. # Arguments:
  874. # constraint     The name of the constraint to be modified
  875. #
  876. # Results:
  877. # Modifies tcltest::skippedBecause; sets the variable to 1 if
  878. #       didn't previously exist - otherwise, it just increments it.
  879. #
  880. # Side effects:
  881. # None.
  882. proc tcltest::AddToSkippedBecause { constraint {value 1}} {
  883.     # add the constraint to the list of constraints that kept tests
  884.     # from running
  885.     variable skippedBecause
  886.     if {[info exists skippedBecause($constraint)]} {
  887. incr skippedBecause($constraint) $value
  888.     } else {
  889. set skippedBecause($constraint) $value
  890.     }
  891.     return
  892. }
  893. # tcltest::PrintError --
  894. #
  895. # Prints errors to tcltest::errorChannel and then flushes that
  896. #       channel, making sure that all messages are < 80 characters per
  897. #       line.
  898. #
  899. # Arguments:
  900. # errorMsg     String containing the error to be printed
  901. #
  902. # Results:
  903. # None.
  904. #
  905. # Side effects:
  906. # None.
  907. proc tcltest::PrintError {errorMsg} {
  908.     set InitialMessage "Error:  "
  909.     set InitialMsgLen  [string length $InitialMessage]
  910.     puts -nonewline [errorChannel] $InitialMessage
  911.     # Keep track of where the end of the string is.
  912.     set endingIndex [string length $errorMsg]
  913.     if {$endingIndex < (80 - $InitialMsgLen)} {
  914. puts [errorChannel] $errorMsg
  915.     } else {
  916. # Print up to 80 characters on the first line, including the
  917. # InitialMessage.
  918. set beginningIndex [string last " " [string range $errorMsg 0 
  919. [expr {80 - $InitialMsgLen}]]]
  920. puts [errorChannel] [string range $errorMsg 0 $beginningIndex]
  921. while {![string equal end $beginningIndex]} {
  922.     puts -nonewline [errorChannel] 
  923.     [string repeat " " $InitialMsgLen]
  924.     if {($endingIndex - $beginningIndex)
  925.     < (80 - $InitialMsgLen)} {
  926. puts [errorChannel] [string trim 
  927. [string range $errorMsg $beginningIndex end]]
  928. break
  929.     } else {
  930. set newEndingIndex [expr {[string last " " 
  931. [string range $errorMsg $beginningIndex 
  932. [expr {$beginningIndex
  933. + (80 - $InitialMsgLen)}]
  934. ]] + $beginningIndex}]
  935. if {($newEndingIndex <= 0)
  936. || ($newEndingIndex <= $beginningIndex)} {
  937.     set newEndingIndex end
  938. }
  939. puts [errorChannel] [string trim 
  940. [string range $errorMsg 
  941.     $beginningIndex $newEndingIndex]]
  942. set beginningIndex $newEndingIndex
  943.     }
  944. }
  945.     }
  946.     flush [errorChannel]
  947.     return
  948. }
  949. # tcltest::SafeFetch --
  950. #
  951. #  The following trace procedure makes it so that we can safely
  952. #        refer to non-existent members of the testConstraints array
  953. #        without causing an error.  Instead, reading a non-existent
  954. #        member will return 0. This is necessary because tests are
  955. #        allowed to use constraint "X" without ensuring that
  956. #        testConstraints("X") is defined.
  957. #
  958. # Arguments:
  959. # n1 - name of the array (testConstraints)
  960. #       n2 - array key value (constraint name)
  961. #       op - operation performed on testConstraints (generally r)
  962. #
  963. # Results:
  964. # none
  965. #
  966. # Side effects:
  967. # sets testConstraints($n2) to 0 if it's referenced but never
  968. #       before used
  969. proc tcltest::SafeFetch {n1 n2 op} {
  970.     variable testConstraints
  971.     DebugPuts 3 "entering SafeFetch $n1 $n2 $op"
  972.     if {[string equal {} $n2]} {return}
  973.     if {![info exists testConstraints($n2)]} {
  974. if {[catch {testConstraint $n2 [eval [ConstraintInitializer $n2]]}]} {
  975.     testConstraint $n2 0
  976. }
  977.     }
  978. }
  979. # tcltest::ConstraintInitializer --
  980. #
  981. # Get or set a script that when evaluated in the tcltest namespace
  982. # will return a boolean value with which to initialize the
  983. # associated constraint.
  984. #
  985. # Arguments:
  986. # constraint - name of the constraint initialized by the script
  987. # script - the initializer script
  988. #
  989. # Results
  990. # boolean value of the constraint - enabled or disabled
  991. #
  992. # Side effects:
  993. # Constraint is initialized for future reference by [test]
  994. proc tcltest::ConstraintInitializer {constraint {script ""}} {
  995.     variable ConstraintInitializer
  996.     DebugPuts 3 "entering ConstraintInitializer $constraint $script"
  997.     if {[llength [info level 0]] == 2} {
  998. return $ConstraintInitializer($constraint)
  999.     }
  1000.     # Check for boolean values
  1001.     if {![info complete $script]} {
  1002. return -code error "ConstraintInitializer must be complete script"
  1003.     }
  1004.     set ConstraintInitializer($constraint) $script
  1005. }
  1006. # tcltest::InitConstraints --
  1007. #
  1008. # Call all registered constraint initializers to force initialization
  1009. # of all known constraints.
  1010. # See the tcltest man page for the list of built-in constraints defined
  1011. # in this procedure.
  1012. #
  1013. # Arguments:
  1014. # none
  1015. #
  1016. # Results:
  1017. # The testConstraints array is reset to have an index for each
  1018. # built-in test constraint.
  1019. #
  1020. # Side Effects:
  1021. #       None.
  1022. #
  1023. proc tcltest::InitConstraints {} {
  1024.     variable ConstraintInitializer
  1025.     initConstraintsHook
  1026.     foreach constraint [array names ConstraintInitializer] {
  1027. testConstraint $constraint
  1028.     }
  1029. }
  1030. proc tcltest::DefineConstraintInitializers {} {
  1031.     ConstraintInitializer singleTestInterp {singleProcess}
  1032.     # All the 'pc' constraints are here for backward compatibility and
  1033.     # are not documented.  They have been replaced with equivalent 'win'
  1034.     # constraints.
  1035.     ConstraintInitializer unixOnly 
  1036.     {string equal $::tcl_platform(platform) unix}
  1037.     ConstraintInitializer macOnly 
  1038.     {string equal $::tcl_platform(platform) macintosh}
  1039.     ConstraintInitializer pcOnly 
  1040.     {string equal $::tcl_platform(platform) windows}
  1041.     ConstraintInitializer winOnly 
  1042.     {string equal $::tcl_platform(platform) windows}
  1043.     ConstraintInitializer unix {testConstraint unixOnly}
  1044.     ConstraintInitializer mac {testConstraint macOnly}
  1045.     ConstraintInitializer pc {testConstraint pcOnly}
  1046.     ConstraintInitializer win {testConstraint winOnly}
  1047.     ConstraintInitializer unixOrPc 
  1048.     {expr {[testConstraint unix] || [testConstraint pc]}}
  1049.     ConstraintInitializer macOrPc 
  1050.     {expr {[testConstraint mac] || [testConstraint pc]}}
  1051.     ConstraintInitializer unixOrWin 
  1052.     {expr {[testConstraint unix] || [testConstraint win]}}
  1053.     ConstraintInitializer macOrWin 
  1054.     {expr {[testConstraint mac] || [testConstraint win]}}
  1055.     ConstraintInitializer macOrUnix 
  1056.     {expr {[testConstraint mac] || [testConstraint unix]}}
  1057.     ConstraintInitializer nt {string equal $::tcl_platform(os) "Windows NT"}
  1058.     ConstraintInitializer 95 {string equal $::tcl_platform(os) "Windows 95"}
  1059.     ConstraintInitializer 98 {string equal $::tcl_platform(os) "Windows 98"}
  1060.     # The following Constraints switches are used to mark tests that
  1061.     # should work, but have been temporarily disabled on certain
  1062.     # platforms because they don't and we haven't gotten around to
  1063.     # fixing the underlying problem.
  1064.     ConstraintInitializer tempNotPc {expr {![testConstraint pc]}}
  1065.     ConstraintInitializer tempNotWin {expr {![testConstraint win]}}
  1066.     ConstraintInitializer tempNotMac {expr {![testConstraint mac]}}
  1067.     ConstraintInitializer tempNotUnix {expr {![testConstraint unix]}}
  1068.     # The following Constraints switches are used to mark tests that
  1069.     # crash on certain platforms, so that they can be reactivated again
  1070.     # when the underlying problem is fixed.
  1071.     ConstraintInitializer pcCrash {expr {![testConstraint pc]}}
  1072.     ConstraintInitializer winCrash {expr {![testConstraint win]}}
  1073.     ConstraintInitializer macCrash {expr {![testConstraint mac]}}
  1074.     ConstraintInitializer unixCrash {expr {![testConstraint unix]}}
  1075.     # Skip empty tests
  1076.     ConstraintInitializer emptyTest {format 0}
  1077.     # By default, tests that expose known bugs are skipped.
  1078.     ConstraintInitializer knownBug {format 0}
  1079.     # By default, non-portable tests are skipped.
  1080.     ConstraintInitializer nonPortable {format 0}
  1081.     # Some tests require user interaction.
  1082.     ConstraintInitializer userInteraction {format 0}
  1083.     # Some tests must be skipped if the interpreter is not in
  1084.     # interactive mode
  1085.     ConstraintInitializer interactive 
  1086.     {expr {[info exists ::tcl_interactive] && $::tcl_interactive}}
  1087.     # Some tests can only be run if the installation came from a CD
  1088.     # image instead of a web image.  Some tests must be skipped if you
  1089.     # are running as root on Unix.  Other tests can only be run if you
  1090.     # are running as root on Unix.
  1091.     ConstraintInitializer root {expr 
  1092.     {[string equal unix $::tcl_platform(platform)]
  1093.     && ([string equal root $::tcl_platform(user)]
  1094. || [string equal "" $::tcl_platform(user)])}}
  1095.     ConstraintInitializer notRoot {expr {![testConstraint root]}}
  1096.     # Set nonBlockFiles constraint: 1 means this platform supports
  1097.     # setting files into nonblocking mode.
  1098.     ConstraintInitializer nonBlockFiles {
  1099.     set code [expr {[catch {set f [open defs r]}] 
  1100.     || [catch {fconfigure $f -blocking off}]}]
  1101.     catch {close $f}
  1102.     set code
  1103.     }
  1104.     # Set asyncPipeClose constraint: 1 means this platform supports
  1105.     # async flush and async close on a pipe.
  1106.     #
  1107.     # Test for SCO Unix - cannot run async flushing tests because a
  1108.     # potential problem with select is apparently interfering.
  1109.     # (Mark Diekhans).
  1110.     ConstraintInitializer asyncPipeClose {expr {
  1111.     !([string equal unix $::tcl_platform(platform)] 
  1112.     && ([catch {exec uname -X | fgrep {Release = 3.2v}}] == 0))}}
  1113.     # Test to see if we have a broken version of sprintf with respect
  1114.     # to the "e" format of floating-point numbers.
  1115.     ConstraintInitializer eformat {string equal [format %g 5e-5] 5e-05}
  1116.     # Test to see if execed commands such as cat, echo, rm and so forth
  1117.     # are present on this machine.
  1118.     ConstraintInitializer unixExecs {
  1119. set code 1
  1120.         if {[string equal macintosh $::tcl_platform(platform)]} {
  1121.     set code 0
  1122.         }
  1123.         if {[string equal windows $::tcl_platform(platform)]} {
  1124.     if {[catch {
  1125.         set file _tcl_test_remove_me.txt
  1126.         makeFile {hello} $file
  1127.     }]} {
  1128.         set code 0
  1129.     } elseif {
  1130.         [catch {exec cat $file}] ||
  1131.         [catch {exec echo hello}] ||
  1132.         [catch {exec sh -c echo hello}] ||
  1133.         [catch {exec wc $file}] ||
  1134.         [catch {exec sleep 1}] ||
  1135.         [catch {exec echo abc > $file}] ||
  1136.         [catch {exec chmod 644 $file}] ||
  1137.         [catch {exec rm $file}] ||
  1138.         [llength [auto_execok mkdir]] == 0 ||
  1139.         [llength [auto_execok fgrep]] == 0 ||
  1140.         [llength [auto_execok grep]] == 0 ||
  1141.         [llength [auto_execok ps]] == 0
  1142.     } {
  1143.         set code 0
  1144.     }
  1145.     removeFile $file
  1146.         }
  1147. set code
  1148.     }
  1149.     ConstraintInitializer stdio {
  1150. set code 0
  1151. if {![catch {set f [open "|[list [interpreter]]" w]}]} {
  1152.     if {![catch {puts $f exit}]} {
  1153. if {![catch {close $f}]} {
  1154.     set code 1
  1155. }
  1156.     }
  1157. }
  1158. set code
  1159.     }
  1160.     # Deliberately call socket with the wrong number of arguments.  The
  1161.     # error message you get will indicate whether sockets are available
  1162.     # on this system.
  1163.     ConstraintInitializer socket {
  1164. catch {socket} msg
  1165. string compare $msg "sockets are not available on this system"
  1166.     }
  1167.     # Check for internationalization
  1168.     ConstraintInitializer hasIsoLocale {
  1169. if {[llength [info commands testlocale]] == 0} {
  1170.     set code 0
  1171. } else {
  1172.     set code [string length [SetIso8859_1_Locale]]
  1173.     RestoreLocale
  1174. }
  1175. set code
  1176.     }
  1177. }
  1178. #####################################################################
  1179. # Usage and command line arguments processing.
  1180. # tcltest::PrintUsageInfo
  1181. #
  1182. # Prints out the usage information for package tcltest.  This can
  1183. # be customized with the redefinition of [PrintUsageInfoHook].
  1184. #
  1185. # Arguments:
  1186. # none
  1187. #
  1188. # Results:
  1189. #       none
  1190. #
  1191. # Side Effects:
  1192. #       none
  1193. proc tcltest::PrintUsageInfo {} {
  1194.     puts [Usage]
  1195.     PrintUsageInfoHook
  1196. }
  1197. proc tcltest::Usage { {option ""} } {
  1198.     variable Usage
  1199.     variable Verify
  1200.     if {[llength [info level 0]] == 1} {
  1201. set msg "Usage: [file tail [info nameofexecutable]] script "
  1202. append msg "?-help? ?flag value? ... n"
  1203. append msg "Available flags (and valid input values) are:"
  1204. set max 0
  1205. set allOpts [concat -help [Configure]]
  1206. foreach opt $allOpts {
  1207.     set foo [Usage $opt]
  1208.     foreach [list x type($opt) usage($opt)] $foo break
  1209.     set line($opt) "  $opt $type($opt)  "
  1210.     set length($opt) [string length $line($opt)]
  1211.     if {$length($opt) > $max} {set max $length($opt)}
  1212. }
  1213. set rest [expr {72 - $max}]
  1214. foreach opt $allOpts {
  1215.     append msg n$line($opt)
  1216.     append msg [string repeat " " [expr {$max - $length($opt)}]]
  1217.     set u [string trim $usage($opt)]
  1218.     catch {append u "  (default: [[Configure $opt]])"}
  1219.     regsub -all {s*ns*} $u " " u
  1220.     while {[string length $u] > $rest} {
  1221. set break [string wordstart $u $rest]
  1222. if {$break == 0} {
  1223.     set break [string wordend $u 0]
  1224. }
  1225. append msg [string range $u 0 [expr {$break - 1}]]
  1226. set u [string trim [string range $u $break end]]
  1227. append msg n[string repeat " " $max]
  1228.     }
  1229.     append msg $u
  1230. }
  1231. return $msgn
  1232.     } elseif {[string equal -help $option]} {
  1233. return [list -help "" "Display this usage information."]
  1234.     } else {
  1235. set type [lindex [info args $Verify($option)] 0]
  1236. return [list $option $type $Usage($option)]
  1237.     }
  1238. }
  1239. # tcltest::ProcessFlags --
  1240. #
  1241. # process command line arguments supplied in the flagArray - this
  1242. # is called by processCmdLineArgs.  Modifies tcltest variables
  1243. # according to the content of the flagArray.
  1244. #
  1245. # Arguments:
  1246. # flagArray - array containing name/value pairs of flags
  1247. #
  1248. # Results:
  1249. # sets tcltest variables according to their values as defined by
  1250. #       flagArray
  1251. #
  1252. # Side effects:
  1253. # None.
  1254. proc tcltest::ProcessFlags {flagArray} {
  1255.     # Process -help first
  1256.     if {[lsearch -exact $flagArray {-help}] != -1} {
  1257. PrintUsageInfo
  1258. exit 1
  1259.     }
  1260.     if {[llength $flagArray] == 0} {
  1261. RemoveAutoConfigureTraces
  1262.     } else {
  1263. set args $flagArray
  1264. while {[llength $args]>1 && [catch {eval configure $args} msg]} {
  1265.     # Something went wrong parsing $args for tcltest options
  1266.     # Check whether the problem is "unknown option"
  1267.     if {[regexp {^unknown option (S+):} $msg -> option]} {
  1268. # Could be this is an option the Hook knows about
  1269. set moreOptions [processCmdLineArgsAddFlagsHook]
  1270. if {[lsearch -exact $moreOptions $option] == -1} {
  1271.     # Nope.  Report the error, including additional options,
  1272.     # but keep going
  1273.     if {[llength $moreOptions]} {
  1274. append msg ", "
  1275. append msg [join [lrange $moreOptions 0 end-1] ", "]
  1276. append msg "or [lindex $moreOptions end]"
  1277.     }
  1278.     Warn $msg
  1279. }
  1280.     } else {
  1281. # error is something other than "unknown option"
  1282. # notify user of the error; and exit
  1283. puts [errorChannel] $msg
  1284. exit 1
  1285.     }
  1286.     # To recover, find that unknown option and remove up to it.
  1287.     # then retry
  1288.     while {![string equal [lindex $args 0] $option]} {
  1289. set args [lrange $args 2 end]
  1290.     }
  1291.     set args [lrange $args 2 end]
  1292. }
  1293. if {[llength $args] == 1} {
  1294.     puts [errorChannel] 
  1295.     "missing value for option [lindex $args 0]"
  1296.     exit 1
  1297. }
  1298.     }
  1299.     # Call the hook
  1300.     catch {
  1301.         array set flag $flagArray
  1302.         processCmdLineArgsHook [array get flag]
  1303.     }
  1304.     return
  1305. }
  1306. # tcltest::ProcessCmdLineArgs --
  1307. #
  1308. #       This procedure must be run after constraint initialization is
  1309. # set up (by [DefineConstraintInitializers]) because some constraints
  1310. # can be overridden.
  1311. #
  1312. #       Perform configuration according to the command-line options.
  1313. #
  1314. # Arguments:
  1315. # none
  1316. #
  1317. # Results:
  1318. # Sets the above-named variables in the tcltest namespace.
  1319. #
  1320. # Side Effects:
  1321. #       None.
  1322. #
  1323. proc tcltest::ProcessCmdLineArgs {} {
  1324.     variable originalEnv
  1325.     variable testConstraints
  1326.     # The "argv" var doesn't exist in some cases, so use {}.
  1327.     if {![info exists ::argv]} {
  1328. ProcessFlags {}
  1329.     } else {
  1330. ProcessFlags $::argv
  1331.     }
  1332.     # Spit out everything you know if we're at a debug level 2 or
  1333.     # greater
  1334.     DebugPuts 2 "Flags passed into tcltest:"
  1335.     if {[info exists ::env(TCLTEST_OPTIONS)]} {
  1336. DebugPuts 2 
  1337. "    ::env(TCLTEST_OPTIONS): $::env(TCLTEST_OPTIONS)"
  1338.     }
  1339.     if {[info exists ::argv]} {
  1340. DebugPuts 2 "    argv: $::argv"
  1341.     }
  1342.     DebugPuts    2 "tcltest::debug              = [debug]"
  1343.     DebugPuts    2 "tcltest::testsDirectory     = [testsDirectory]"
  1344.     DebugPuts    2 "tcltest::workingDirectory   = [workingDirectory]"
  1345.     DebugPuts    2 "tcltest::temporaryDirectory = [temporaryDirectory]"
  1346.     DebugPuts    2 "tcltest::outputChannel      = [outputChannel]"
  1347.     DebugPuts    2 "tcltest::errorChannel       = [errorChannel]"
  1348.     DebugPuts    2 "Original environment (tcltest::originalEnv):"
  1349.     DebugPArray  2 originalEnv
  1350.     DebugPuts    2 "Constraints:"
  1351.     DebugPArray  2 testConstraints
  1352. }
  1353. #####################################################################
  1354. # Code to run the tests goes here.
  1355. # tcltest::TestPuts --
  1356. #
  1357. # Used to redefine puts in test environment.  Stores whatever goes
  1358. # out on stdout in tcltest::outData and stderr in errData before
  1359. # sending it on to the regular puts.
  1360. #
  1361. # Arguments:
  1362. # same as standard puts
  1363. #
  1364. # Results:
  1365. # none
  1366. #
  1367. # Side effects:
  1368. #       Intercepts puts; data that would otherwise go to stdout, stderr,
  1369. # or file channels specified in outputChannel and errorChannel
  1370. # does not get sent to the normal puts function.
  1371. namespace eval tcltest::Replace {
  1372.     namespace export puts
  1373. }
  1374. proc tcltest::Replace::puts {args} {
  1375.     variable [namespace parent]::outData
  1376.     variable [namespace parent]::errData
  1377.     switch [llength $args] {
  1378. 1 {
  1379.     # Only the string to be printed is specified
  1380.     append outData [lindex $args 0]n
  1381.     return
  1382.     # return [Puts [lindex $args 0]]
  1383. }
  1384. 2 {
  1385.     # Either -nonewline or channelId has been specified
  1386.     if {[string equal -nonewline [lindex $args 0]]} {
  1387. append outData [lindex $args end]
  1388. return
  1389. # return [Puts -nonewline [lindex $args end]]
  1390.     } else {
  1391. set channel [lindex $args 0]
  1392. set newline n
  1393.     }
  1394. }
  1395. 3 {
  1396.     if {[string equal -nonewline [lindex $args 0]]} {
  1397. # Both -nonewline and channelId are specified, unless
  1398. # it's an error.  -nonewline is supposed to be argv[0].
  1399. set channel [lindex $args 1]
  1400. set newline ""
  1401.     }
  1402. }
  1403.     }
  1404.     if {[info exists channel]} {
  1405. if {[string equal $channel [[namespace parent]::outputChannel]]
  1406. || [string equal $channel stdout]} {
  1407.     append outData [lindex $args end]$newline
  1408.     return
  1409. } elseif {[string equal $channel [[namespace parent]::errorChannel]]
  1410. || [string equal $channel stderr]} {
  1411.     append errData [lindex $args end]$newline
  1412.     return
  1413. }
  1414.     }
  1415.     # If we haven't returned by now, we don't know how to handle the
  1416.     # input.  Let puts handle it.
  1417.     return [eval Puts $args]
  1418. }
  1419. # tcltest::Eval --
  1420. #
  1421. # Evaluate the script in the test environment.  If ignoreOutput is
  1422. #       false, store data sent to stderr and stdout in outData and
  1423. #       errData.  Otherwise, ignore this output altogether.
  1424. #
  1425. # Arguments:
  1426. # script             Script to evaluate
  1427. #       ?ignoreOutput?     Indicates whether or not to ignore output
  1428. #    sent to stdout & stderr
  1429. #
  1430. # Results:
  1431. # result from running the script
  1432. #
  1433. # Side effects:
  1434. # Empties the contents of outData and errData before running a
  1435. # test if ignoreOutput is set to 0.
  1436. proc tcltest::Eval {script {ignoreOutput 1}} {
  1437.     variable outData
  1438.     variable errData
  1439.     DebugPuts 3 "[lindex [info level 0] 0] called"
  1440.     if {!$ignoreOutput} {
  1441. set outData {}
  1442. set errData {}
  1443. rename ::puts [namespace current]::Replace::Puts
  1444. namespace eval :: 
  1445. [list namespace import [namespace origin Replace::puts]]
  1446. namespace import Replace::puts
  1447.     }
  1448.     set result [uplevel 1 $script]
  1449.     if {!$ignoreOutput} {
  1450. namespace forget puts
  1451. namespace eval :: namespace forget puts
  1452. rename [namespace current]::Replace::Puts ::puts
  1453.     }
  1454.     return $result
  1455. }
  1456. # tcltest::CompareStrings --
  1457. #
  1458. # compares the expected answer to the actual answer, depending on
  1459. # the mode provided.  Mode determines whether a regexp, exact,
  1460. # glob or custom comparison is done.
  1461. #
  1462. # Arguments:
  1463. # actual - string containing the actual result
  1464. #       expected - pattern to be matched against
  1465. #       mode - type of comparison to be done
  1466. #
  1467. # Results:
  1468. # result of the match
  1469. #
  1470. # Side effects:
  1471. # None.
  1472. proc tcltest::CompareStrings {actual expected mode} {
  1473.     variable CustomMatch
  1474.     if {![info exists CustomMatch($mode)]} {
  1475.         return -code error "No matching command registered for `-match $mode'"
  1476.     }
  1477.     set match [namespace eval :: $CustomMatch($mode) [list $expected $actual]]
  1478.     if {[catch {expr {$match && $match}} result]} {
  1479. return -code error "Invalid result from `-match $mode' command: $result"
  1480.     }
  1481.     return $match
  1482. }
  1483. # tcltest::customMatch --
  1484. #
  1485. # registers a command to be called when a particular type of
  1486. # matching is required.
  1487. #
  1488. # Arguments:
  1489. # nickname - Keyword for the type of matching
  1490. # cmd - Incomplete command that implements that type of matching
  1491. # when completed with expected string and actual string
  1492. # and then evaluated.
  1493. #
  1494. # Results:
  1495. # None.
  1496. #
  1497. # Side effects:
  1498. # Sets the variable tcltest::CustomMatch
  1499. proc tcltest::customMatch {mode script} {
  1500.     variable CustomMatch
  1501.     if {![info complete $script]} {
  1502. return -code error 
  1503. "invalid customMatch script; can't evaluate after completion"
  1504.     }
  1505.     set CustomMatch($mode) $script
  1506. }
  1507. # tcltest::SubstArguments list
  1508. #
  1509. # This helper function takes in a list of words, then perform a
  1510. # substitution on the list as though each word in the list is a separate
  1511. # argument to the Tcl function.  For example, if this function is
  1512. # invoked as:
  1513. #
  1514. #      SubstArguments {$a {$a}}
  1515. #
  1516. # Then it is as though the function is invoked as:
  1517. #
  1518. #      SubstArguments $a {$a}
  1519. #
  1520. # This code is adapted from Paul Duffin's function "SplitIntoWords".
  1521. # The original function can be found  on:
  1522. #
  1523. #      http://purl.org/thecliff/tcl/wiki/858.html
  1524. #
  1525. # Results:
  1526. #     a list containing the result of the substitution
  1527. #
  1528. # Exceptions:
  1529. #     An error may occur if the list containing unbalanced quote or
  1530. #     unknown variable.
  1531. #
  1532. # Side Effects:
  1533. #     None.
  1534. #
  1535. proc tcltest::SubstArguments {argList} {
  1536.     # We need to split the argList up into tokens but cannot use list
  1537.     # operations as they throw away some significant quoting, and
  1538.     # [split] ignores braces as it should.  Therefore what we do is
  1539.     # gradually build up a string out of whitespace seperated strings.
  1540.     # We cannot use [split] to split the argList into whitespace
  1541.     # separated strings as it throws away the whitespace which maybe
  1542.     # important so we have to do it all by hand.
  1543.     set result {}
  1544.     set token ""
  1545.     while {[string length $argList]} {
  1546.         # Look for the next word containing a quote: " { }
  1547.         if {[regexp -indices {[^ tn]*["{}]+[^ tn]*} 
  1548. $argList all]} {
  1549.             # Get the text leading up to this word, but not including
  1550.     # this word, from the argList.
  1551.             set text [string range $argList 0 
  1552.     [expr {[lindex $all 0] - 1}]]
  1553.             # Get the word with the quote
  1554.             set word [string range $argList 
  1555.                     [lindex $all 0] [lindex $all 1]]
  1556.             # Remove all text up to and including the word from the
  1557.             # argList.
  1558.             set argList [string range $argList 
  1559.                     [expr {[lindex $all 1] + 1}] end]
  1560.         } else {
  1561.             # Take everything up to the end of the argList.
  1562.             set text $argList
  1563.             set word {}
  1564.             set argList {}
  1565.         }
  1566.         if {$token != {}} {
  1567.             # If we saw a word with quote before, then there is a
  1568.             # multi-word token starting with that word.  In this case,
  1569.             # add the text and the current word to this token.
  1570.             append token $text $word
  1571.         } else {
  1572.             # Add the text to the result.  There is no need to parse
  1573.             # the text because it couldn't be a part of any multi-word
  1574.             # token.  Then start a new multi-word token with the word
  1575.             # because we need to pass this token to the Tcl parser to
  1576.             # check for balancing quotes
  1577.             append result $text
  1578.             set token $word
  1579.         }
  1580.         if { [catch {llength $token} length] == 0 && $length == 1} {
  1581.             # The token is a valid list so add it to the result.
  1582.             # lappend result [string trim $token]
  1583.             append result {$token}
  1584.             set token {}
  1585.         }
  1586.     }
  1587.     # If the last token has not been added to the list then there
  1588.     # is a problem.
  1589.     if { [string length $token] } {
  1590.         error "incomplete token "$token""
  1591.     }
  1592.     return $result
  1593. }
  1594. # tcltest::test --
  1595. #
  1596. # This procedure runs a test and prints an error message if the test
  1597. # fails.  If verbose has been set, it also prints a message even if the
  1598. # test succeeds.  The test will be skipped if it doesn't match the
  1599. # match variable, if it matches an element in skip, or if one of the
  1600. # elements of "constraints" turns out not to be true.
  1601. #
  1602. # If testLevel is 1, then this is a top level test, and we record
  1603. # pass/fail information; otherwise, this information is not logged and
  1604. # is not added to running totals.
  1605. #
  1606. # Attributes:
  1607. #   Only description is a required attribute.  All others are optional.
  1608. #   Default values are indicated.
  1609. #
  1610. #   constraints - A list of one or more keywords, each of which
  1611. # must be the name of an element in the array
  1612. # "testConstraints".  If any of these elements is
  1613. # zero, the test is skipped. This attribute is
  1614. # optional; default is {}
  1615. #   body -         Script to run to carry out the test.  It must
  1616. #         return a result that can be checked for
  1617. #         correctness.  This attribute is optional;
  1618. #                       default is {}
  1619. #   result -         Expected result from script.  This attribute is
  1620. #                       optional; default is {}.
  1621. #   output -            Expected output sent to stdout.  This attribute
  1622. #                       is optional; default is {}.
  1623. #   errorOutput -       Expected output sent to stderr.  This attribute
  1624. #                       is optional; default is {}.
  1625. #   returnCodes -       Expected return codes.  This attribute is
  1626. #                       optional; default is {0 2}.
  1627. #   setup -             Code to run before $script (above).  This
  1628. #                       attribute is optional; default is {}.
  1629. #   cleanup -           Code to run after $script (above).  This
  1630. #                       attribute is optional; default is {}.
  1631. #   match -             specifies type of matching to do on result,
  1632. #                       output, errorOutput; this must be a string
  1633. # previously registered by a call to [customMatch].
  1634. # The strings exact, glob, and regexp are pre-registered
  1635. # by the tcltest package.  Default value is exact.
  1636. #
  1637. # Arguments:
  1638. #   name - Name of test, in the form foo-1.2.
  1639. #   description - Short textual description of the test, to
  1640. #      help humans understand what it does.
  1641. #
  1642. # Results:
  1643. # None.
  1644. #
  1645. # Side effects:
  1646. #       Just about anything is possible depending on the test.
  1647. #
  1648. proc tcltest::test {name description args} {
  1649.     global tcl_platform
  1650.     variable testLevel
  1651.     variable coreModTime
  1652.     DebugPuts 3 "test $name $args"
  1653.     DebugDo 1 {
  1654. variable TestNames
  1655. catch {
  1656.     puts "test name '$name' re-used; prior use in $TestNames($name)"
  1657. }
  1658. set TestNames($name) [info script]
  1659.     }
  1660.     FillFilesExisted
  1661.     incr testLevel
  1662.     # Pre-define everything to null except output and errorOutput.  We
  1663.     # determine whether or not to trap output based on whether or not
  1664.     # these variables (output & errorOutput) are defined.
  1665.     foreach item {constraints setup cleanup body result returnCodes
  1666.     match} {
  1667. set $item {}
  1668.     }
  1669.     # Set the default match mode
  1670.     set match exact
  1671.     # Set the default match values for return codes (0 is the standard
  1672.     # expected return value if everything went well; 2 represents
  1673.     # 'return' being used in the test script).
  1674.     set returnCodes [list 0 2]
  1675.     # The old test format can't have a 3rd argument (constraints or
  1676.     # script) that starts with '-'.
  1677.     if {[string match -* [lindex $args 0]]
  1678.     || ([llength $args] <= 1)} {
  1679. if {[llength $args] == 1} {
  1680.     set list [SubstArguments [lindex $args 0]]
  1681.     foreach {element value} $list {
  1682. set testAttributes($element) $value
  1683.     }
  1684.     foreach item {constraints match setup body cleanup 
  1685.     result returnCodes output errorOutput} {
  1686. if {[info exists testAttributes(-$item)]} {
  1687.     set testAttributes(-$item) [uplevel 1 
  1688.     ::concat $testAttributes(-$item)]
  1689. }
  1690.     }
  1691. } else {
  1692.     array set testAttributes $args
  1693. }
  1694. set validFlags {-setup -cleanup -body -result -returnCodes 
  1695. -match -output -errorOutput -constraints}
  1696. foreach flag [array names testAttributes] {
  1697.     if {[lsearch -exact $validFlags $flag] == -1} {
  1698. incr testLevel -1
  1699. set sorted [lsort $validFlags]
  1700. set options [join [lrange $sorted 0 end-1] ", "]
  1701. append options ", or [lindex $sorted end]"
  1702. return -code error "bad option "$flag": must be $options"
  1703.     }
  1704. }
  1705. # store whatever the user gave us
  1706. foreach item [array names testAttributes] {
  1707.     set [string trimleft $item "-"] $testAttributes($item)
  1708. }
  1709. # Check the values supplied for -match
  1710. variable CustomMatch
  1711. if {[lsearch [array names CustomMatch] $match] == -1} {
  1712.     incr testLevel -1
  1713.     set sorted [lsort [array names CustomMatch]]
  1714.     set values [join [lrange $sorted 0 end-1] ", "]
  1715.     append values ", or [lindex $sorted end]"
  1716.     return -code error "bad -match value "$match":
  1717.     must be $values"
  1718. }
  1719. # Replace symbolic valies supplied for -returnCodes
  1720. foreach {strcode numcode} {ok 0 normal 0 error 1 return 2 break 3 continue 4} {
  1721.     set returnCodes [string map -nocase [list $strcode $numcode] $returnCodes]
  1722. }
  1723.     } else {
  1724. # This is parsing for the old test command format; it is here
  1725. # for backward compatibility.
  1726. set result [lindex $args end]
  1727. if {[llength $args] == 2} {
  1728.     set body [lindex $args 0]
  1729. } elseif {[llength $args] == 3} {
  1730.     set constraints [lindex $args 0]
  1731.     set body [lindex $args 1]
  1732. } else {
  1733.     incr testLevel -1
  1734.     return -code error "wrong # args:
  1735.     should be "test name desc ?options?""
  1736. }
  1737.     }
  1738.     if {[Skipped $name $constraints]} {
  1739. incr testLevel -1
  1740. return
  1741.     }
  1742.     # Save information about the core file.  
  1743.     if {[preserveCore]} {
  1744. if {[file exists [file join [workingDirectory] core]]} {
  1745.     set coreModTime [file mtime [file join [workingDirectory] core]]
  1746. }
  1747.     }
  1748.     # First, run the setup script
  1749.     set code [catch {uplevel 1 $setup} setupMsg]
  1750.     if {$code == 1} {
  1751. set errorInfo(setup) $::errorInfo
  1752. set errorCode(setup) $::errorCode
  1753.     }
  1754.     set setupFailure [expr {$code != 0}]
  1755.     # Only run the test body if the setup was successful
  1756.     if {!$setupFailure} {
  1757. # Verbose notification of $body start
  1758. if {[IsVerbose start]} {
  1759.     puts [outputChannel] "---- $name start"
  1760.     flush [outputChannel]
  1761. }
  1762. set command [list [namespace origin RunTest] $name $body]
  1763. if {[info exists output] || [info exists errorOutput]} {
  1764.     set testResult [uplevel 1 [list [namespace origin Eval] $command 0]]
  1765. } else {
  1766.     set testResult [uplevel 1 [list [namespace origin Eval] $command 1]]
  1767. }
  1768. foreach {actualAnswer returnCode} $testResult break
  1769. if {$returnCode == 1} {
  1770.     set errorInfo(body) $::errorInfo
  1771.     set errorCode(body) $::errorCode
  1772. }
  1773.     }
  1774.     # Always run the cleanup script
  1775.     set code [catch {uplevel 1 $cleanup} cleanupMsg]
  1776.     if {$code == 1} {
  1777. set errorInfo(cleanup) $::errorInfo
  1778. set errorCode(cleanup) $::errorCode
  1779.     }
  1780.     set cleanupFailure [expr {$code != 0}]
  1781.     set coreFailure 0
  1782.     set coreMsg ""
  1783.     # check for a core file first - if one was created by the test,
  1784.     # then the test failed
  1785.     if {[preserveCore]} {
  1786. if {[file exists [file join [workingDirectory] core]]} {
  1787.     # There's only a test failure if there is a core file
  1788.     # and (1) there previously wasn't one or (2) the new
  1789.     # one is different from the old one.
  1790.     if {[info exists coreModTime]} {
  1791. if {$coreModTime != [file mtime 
  1792. [file join [workingDirectory] core]]} {
  1793.     set coreFailure 1
  1794. }
  1795.     } else {
  1796. set coreFailure 1
  1797.     }
  1798.     if {([preserveCore] > 1) && ($coreFailure)} {
  1799. append coreMsg "nMoving file to:
  1800.     [file join [temporaryDirectory] core-$name]"
  1801. catch {file rename -force 
  1802.     [file join [workingDirectory] core] 
  1803.     [file join [temporaryDirectory] core-$name]
  1804. } msg
  1805. if {[string length $msg] > 0} {
  1806.     append coreMsg "nError:
  1807. Problem renaming core file: $msg"
  1808. }
  1809.     }
  1810. }
  1811.     }
  1812.     # check if the return code matched the expected return code
  1813.     set codeFailure 0
  1814.     if {!$setupFailure && [lsearch -exact $returnCodes $returnCode] == -1} {
  1815. set codeFailure 1
  1816.     }
  1817.     # If expected output/error strings exist, we have to compare
  1818.     # them.  If the comparison fails, then so did the test.
  1819.     set outputFailure 0
  1820.     variable outData
  1821.     if {[info exists output] && !$codeFailure} {
  1822. if {[set outputCompare [catch {
  1823.     CompareStrings $outData $output $match
  1824. } outputMatch]] == 0} {
  1825.     set outputFailure [expr {!$outputMatch}]
  1826. } else {
  1827.     set outputFailure 1
  1828. }
  1829.     }
  1830.     set errorFailure 0
  1831.     variable errData
  1832.     if {[info exists errorOutput] && !$codeFailure} {
  1833. if {[set errorCompare [catch {
  1834.     CompareStrings $errData $errorOutput $match
  1835. } errorMatch]] == 0} {
  1836.     set errorFailure [expr {!$errorMatch}]
  1837. } else {
  1838.     set errorFailure 1
  1839. }
  1840.     }
  1841.     # check if the answer matched the expected answer
  1842.     # Only check if we ran the body of the test (no setup failure)
  1843.     if {$setupFailure || $codeFailure} {
  1844. set scriptFailure 0
  1845.     } elseif {[set scriptCompare [catch {
  1846. CompareStrings $actualAnswer $result $match
  1847.     } scriptMatch]] == 0} {
  1848. set scriptFailure [expr {!$scriptMatch}]
  1849.     } else {
  1850. set scriptFailure 1
  1851.     }
  1852.     # if we didn't experience any failures, then we passed
  1853.     variable numTests
  1854.     if {!($setupFailure || $cleanupFailure || $coreFailure
  1855.     || $outputFailure || $errorFailure || $codeFailure
  1856.     || $scriptFailure)} {
  1857. if {$testLevel == 1} {
  1858.     incr numTests(Passed)
  1859.     if {[IsVerbose pass]} {
  1860. puts [outputChannel] "++++ $name PASSED"
  1861.     }
  1862. }
  1863. incr testLevel -1
  1864. return
  1865.     }
  1866.     # We know the test failed, tally it...
  1867.     if {$testLevel == 1} {
  1868. incr numTests(Failed)
  1869.     }
  1870.     # ... then report according to the type of failure
  1871.     variable currentFailure true
  1872.     if {![IsVerbose body]} {
  1873. set body ""
  1874.     }
  1875.     puts [outputChannel] "n==== $name
  1876.     [string trim $description] FAILED"
  1877.     if {[string length $body]} {
  1878. puts [outputChannel] "==== Contents of test case:"
  1879. puts [outputChannel] $body
  1880.     }
  1881.     if {$setupFailure} {
  1882. puts [outputChannel] "---- Test setup
  1883. failed:n$setupMsg"
  1884. if {[info exists errorInfo(setup)]} {
  1885.     puts [outputChannel] "---- errorInfo(setup): $errorInfo(setup)"
  1886.     puts [outputChannel] "---- errorCode(setup): $errorCode(setup)"
  1887. }
  1888.     }
  1889.     if {$scriptFailure} {
  1890. if {$scriptCompare} {
  1891.     puts [outputChannel] "---- Error testing result: $scriptMatch"
  1892. } else {
  1893.     puts [outputChannel] "---- Result was:n$actualAnswer"
  1894.     puts [outputChannel] "---- Result should have been
  1895.     ($match matching):n$result"
  1896. }
  1897.     }
  1898.     if {$codeFailure} {
  1899. switch -- $returnCode {
  1900.     0 { set msg "Test completed normally" }
  1901.     1 { set msg "Test generated error" }
  1902.     2 { set msg "Test generated return exception" }
  1903.     3 { set msg "Test generated break exception" }
  1904.     4 { set msg "Test generated continue exception" }
  1905.     default { set msg "Test generated exception" }
  1906. }
  1907. puts [outputChannel] "---- $msg; Return code was: $returnCode"
  1908. puts [outputChannel] "---- Return code should have been
  1909. one of: $returnCodes"
  1910. if {[IsVerbose error]} {
  1911.     if {[info exists errorInfo(body)] && ([lsearch $returnCodes 1]<0)} {
  1912. puts [outputChannel] "---- errorInfo: $errorInfo(body)"
  1913. puts [outputChannel] "---- errorCode: $errorCode(body)"
  1914.     }
  1915. }
  1916.     }
  1917.     if {$outputFailure} {
  1918. if {$outputCompare} {
  1919.     puts [outputChannel] "---- Error testing output: $outputMatch"
  1920. } else {
  1921.     puts [outputChannel] "---- Output was:n$outData"
  1922.     puts [outputChannel] "---- Output should have been
  1923.     ($match matching):n$output"
  1924. }
  1925.     }
  1926.     if {$errorFailure} {
  1927. if {$errorCompare} {
  1928.     puts [outputChannel] "---- Error testing errorOutput: $errorMatch"
  1929. } else {
  1930.     puts [outputChannel] "---- Error output was:n$errData"
  1931.     puts [outputChannel] "---- Error output should have
  1932.     been ($match matching):n$errorOutput"
  1933. }
  1934.     }
  1935.     if {$cleanupFailure} {
  1936. puts [outputChannel] "---- Test cleanup failed:n$cleanupMsg"
  1937. if {[info exists errorInfo(cleanup)]} {
  1938.     puts [outputChannel] "---- errorInfo(cleanup): $errorInfo(cleanup)"
  1939.     puts [outputChannel] "---- errorCode(cleanup): $errorCode(cleanup)"
  1940. }
  1941.     }
  1942.     if {$coreFailure} {
  1943. puts [outputChannel] "---- Core file produced while running
  1944. test!  $coreMsg"
  1945.     }
  1946.     puts [outputChannel] "==== $name FAILEDn"
  1947.     incr testLevel -1
  1948.     return
  1949. }
  1950. # Skipped --
  1951. #
  1952. # Given a test name and it constraints, returns a boolean indicating
  1953. # whether the current configuration says the test should be skipped.
  1954. #
  1955. # Side Effects:  Maintains tally of total tests seen and tests skipped.
  1956. #
  1957. proc tcltest::Skipped {name constraints} {
  1958.     variable testLevel
  1959.     variable numTests
  1960.     variable testConstraints
  1961.     if {$testLevel == 1} {
  1962. incr numTests(Total)
  1963.     }
  1964.     # skip the test if it's name matches an element of skip
  1965.     foreach pattern [skip] {
  1966. if {[string match $pattern $name]} {
  1967.     if {$testLevel == 1} {
  1968. incr numTests(Skipped)
  1969. DebugDo 1 {AddToSkippedBecause userSpecifiedSkip}
  1970.     }
  1971.     return 1
  1972. }
  1973.     }
  1974.     # skip the test if it's name doesn't match any element of match
  1975.     set ok 0
  1976.     foreach pattern [match] {
  1977. if {[string match $pattern $name]} {
  1978.     set ok 1
  1979.     break
  1980. }
  1981.     }
  1982.     if {!$ok} {
  1983. if {$testLevel == 1} {
  1984.     incr numTests(Skipped)
  1985.     DebugDo 1 {AddToSkippedBecause userSpecifiedNonMatch}
  1986. }
  1987. return 1
  1988.     }
  1989.     if {[string equal {} $constraints]} {
  1990. # If we're limited to the listed constraints and there aren't
  1991. # any listed, then we shouldn't run the test.
  1992. if {[limitConstraints]} {
  1993.     AddToSkippedBecause userSpecifiedLimitConstraint
  1994.     if {$testLevel == 1} {
  1995. incr numTests(Skipped)
  1996.     }
  1997.     return 1
  1998. }
  1999.     } else {
  2000. # "constraints" argument exists;
  2001. # make sure that the constraints are satisfied.
  2002. set doTest 0
  2003. if {[string match {*[$[]*} $constraints] != 0} {
  2004.     # full expression, e.g. {$foo > [info tclversion]}
  2005.     catch {set doTest [uplevel #0 expr $constraints]}
  2006. } elseif {[regexp {[^.:_a-zA-Z0-9 nrt]+} $constraints] != 0} {
  2007.     # something like {a || b} should be turned into
  2008.     # $testConstraints(a) || $testConstraints(b).
  2009.     regsub -all {[.w]+} $constraints {$testConstraints(&)} c
  2010.     catch {set doTest [eval expr $c]}
  2011. } elseif {![catch {llength $constraints}]} {
  2012.     # just simple constraints such as {unixOnly fonts}.
  2013.     set doTest 1
  2014.     foreach constraint $constraints {
  2015. if {(![info exists testConstraints($constraint)]) 
  2016. || (!$testConstraints($constraint))} {
  2017.     set doTest 0
  2018.     # store the constraint that kept the test from
  2019.     # running
  2020.     set constraints $constraint
  2021.     break
  2022. }
  2023.     }
  2024. }
  2025. if {!$doTest} {
  2026.     if {[IsVerbose skip]} {
  2027. puts [outputChannel] "++++ $name SKIPPED: $constraints"
  2028.     }
  2029.     if {$testLevel == 1} {
  2030. incr numTests(Skipped)
  2031. AddToSkippedBecause $constraints
  2032.     }
  2033.     return 1
  2034. }
  2035.     }
  2036.     return 0
  2037. }
  2038. # RunTest --
  2039. #
  2040. # This is where the body of a test is evaluated.  The combination of
  2041. # [RunTest] and [Eval] allows the output and error output of the test
  2042. # body to be captured for comparison against the expected values.
  2043. proc tcltest::RunTest {name script} {
  2044.     DebugPuts 3 "Running $name {$script}"
  2045.     # If there is no "memory" command (because memory debugging isn't
  2046.     # enabled), then don't attempt to use the command.
  2047.     if {[llength [info commands memory]] == 1} {
  2048. memory tag $name
  2049.     }
  2050.     set code [catch {uplevel 1 $script} actualAnswer]
  2051.     return [list $actualAnswer $code]
  2052. }
  2053. #####################################################################
  2054. # tcltest::cleanupTestsHook --
  2055. #
  2056. # This hook allows a harness that builds upon tcltest to specify
  2057. #       additional things that should be done at cleanup.
  2058. #
  2059. if {[llength [info commands tcltest::cleanupTestsHook]] == 0} {
  2060.     proc tcltest::cleanupTestsHook {} {}
  2061. }
  2062. # tcltest::cleanupTests --
  2063. #
  2064. # Remove files and dirs created using the makeFile and makeDirectory
  2065. # commands since the last time this proc was invoked.
  2066. #
  2067. # Print the names of the files created without the makeFile command
  2068. # since the tests were invoked.
  2069. #
  2070. # Print the number tests (total, passed, failed, and skipped) since the
  2071. # tests were invoked.
  2072. #
  2073. # Restore original environment (as reported by special variable env).
  2074. #
  2075. # Arguments:
  2076. #      calledFromAllFile - if 0, behave as if we are running a single
  2077. #      test file within an entire suite of tests.  if we aren't running
  2078. #      a single test file, then don't report status.  check for new
  2079. #      files created during the test run and report on them.  if 1,
  2080. #      report collated status from all the test file runs.
  2081. #
  2082. # Results:
  2083. #      None.
  2084. #
  2085. # Side Effects:
  2086. #      None
  2087. #
  2088. proc tcltest::cleanupTests {{calledFromAllFile 0}} {
  2089.     variable filesMade
  2090.     variable filesExisted
  2091.     variable createdNewFiles
  2092.     variable testSingleFile
  2093.     variable numTests
  2094.     variable numTestFiles
  2095.     variable failFiles
  2096.     variable skippedBecause
  2097.     variable currentFailure
  2098.     variable originalEnv
  2099.     variable originalTclPlatform
  2100.     variable coreModTime
  2101.     FillFilesExisted
  2102.     set testFileName [file tail [info script]]
  2103.     # Call the cleanup hook
  2104.     cleanupTestsHook
  2105.     # Remove files and directories created by the makeFile and
  2106.     # makeDirectory procedures.  Record the names of files in
  2107.     # workingDirectory that were not pre-existing, and associate them
  2108.     # with the test file that created them.
  2109.     if {!$calledFromAllFile} {
  2110. foreach file $filesMade {
  2111.     if {[file exists $file]} {
  2112. DebugDo 1 {Warn "cleanupTests deleting $file..."}
  2113. catch {file delete -force $file}
  2114.     }
  2115. }
  2116. set currentFiles {}
  2117. foreach file [glob -nocomplain 
  2118. -directory [temporaryDirectory] *] {
  2119.     lappend currentFiles [file tail $file]
  2120. }
  2121. set newFiles {}
  2122. foreach file $currentFiles {
  2123.     if {[lsearch -exact $filesExisted $file] == -1} {
  2124. lappend newFiles $file
  2125.     }
  2126. }
  2127. set filesExisted $currentFiles
  2128. if {[llength $newFiles] > 0} {
  2129.     set createdNewFiles($testFileName) $newFiles
  2130. }
  2131.     }
  2132.     if {$calledFromAllFile || $testSingleFile} {
  2133. # print stats
  2134. puts -nonewline [outputChannel] "$testFileName:"
  2135. foreach index [list "Total" "Passed" "Skipped" "Failed"] {
  2136.     puts -nonewline [outputChannel] 
  2137.     "t$indext$numTests($index)"
  2138. }
  2139. puts [outputChannel] ""
  2140. # print number test files sourced
  2141. # print names of files that ran tests which failed
  2142. if {$calledFromAllFile} {
  2143.     puts [outputChannel] 
  2144.     "Sourced $numTestFiles Test Files."
  2145.     set numTestFiles 0
  2146.     if {[llength $failFiles] > 0} {
  2147. puts [outputChannel] 
  2148. "Files with failing tests: $failFiles"
  2149. set failFiles {}
  2150.     }
  2151. }
  2152. # if any tests were skipped, print the constraints that kept
  2153. # them from running.
  2154. set constraintList [array names skippedBecause]
  2155. if {[llength $constraintList] > 0} {
  2156.     puts [outputChannel] 
  2157.     "Number of tests skipped for each constraint:"
  2158.     foreach constraint [lsort $constraintList] {
  2159. puts [outputChannel] 
  2160. "t$skippedBecause($constraint)t$constraint"
  2161. unset skippedBecause($constraint)
  2162.     }
  2163. }
  2164. # report the names of test files in createdNewFiles, and reset
  2165. # the array to be empty.
  2166. set testFilesThatTurded [lsort [array names createdNewFiles]]
  2167. if {[llength $testFilesThatTurded] > 0} {
  2168.     puts [outputChannel] "Warning: files left behind:"
  2169.     foreach testFile $testFilesThatTurded {
  2170. puts [outputChannel] 
  2171. "t$testFile:t$createdNewFiles($testFile)"
  2172. unset createdNewFiles($testFile)
  2173.     }
  2174. }
  2175. # reset filesMade, filesExisted, and numTests
  2176. set filesMade {}
  2177. foreach index [list "Total" "Passed" "Skipped" "Failed"] {
  2178.     set numTests($index) 0
  2179. }
  2180. # exit only if running Tk in non-interactive mode
  2181. # This should be changed to determine if an event
  2182. # loop is running, which is the real issue.
  2183. # Actually, this doesn't belong here at all.  A package
  2184. # really has no business [exit]-ing an application.
  2185. if {![catch {package present Tk}] && ![testConstraint interactive]} {
  2186.     exit
  2187. }
  2188.     } else {
  2189. # if we're deferring stat-reporting until all files are sourced,
  2190. # then add current file to failFile list if any tests in this
  2191. # file failed
  2192. if {$currentFailure 
  2193. && ([lsearch -exact $failFiles $testFileName] == -1)} {
  2194.     lappend failFiles $testFileName
  2195. }
  2196. set currentFailure false
  2197. # restore the environment to the state it was in before this package
  2198. # was loaded
  2199. set newEnv {}
  2200. set changedEnv {}
  2201. set removedEnv {}
  2202. foreach index [array names ::env] {
  2203.     if {![info exists originalEnv($index)]} {
  2204. lappend newEnv $index
  2205. unset ::env($index)
  2206.     } else {
  2207. if {$::env($index) != $originalEnv($index)} {
  2208.     lappend changedEnv $index
  2209.     set ::env($index) $originalEnv($index)
  2210. }
  2211.     }
  2212. }
  2213. foreach index [array names originalEnv] {
  2214.     if {![info exists ::env($index)]} {
  2215. lappend removedEnv $index
  2216. set ::env($index) $originalEnv($index)
  2217.     }
  2218. }
  2219. if {[llength $newEnv] > 0} {
  2220.     puts [outputChannel] 
  2221.     "env array elements created:t$newEnv"
  2222. }
  2223. if {[llength $changedEnv] > 0} {
  2224.     puts [outputChannel] 
  2225.     "env array elements changed:t$changedEnv"
  2226. }
  2227. if {[llength $removedEnv] > 0} {
  2228.     puts [outputChannel] 
  2229.     "env array elements removed:t$removedEnv"
  2230. }
  2231. set changedTclPlatform {}
  2232. foreach index [array names originalTclPlatform] {
  2233.     if {$::tcl_platform($index) 
  2234.     != $originalTclPlatform($index)} {
  2235. lappend changedTclPlatform $index
  2236. set ::tcl_platform($index) $originalTclPlatform($index)
  2237.     }
  2238. }
  2239. if {[llength $changedTclPlatform] > 0} {
  2240.     puts [outputChannel] "tcl_platform array elements
  2241.     changed:t$changedTclPlatform"
  2242. }
  2243. if {[file exists [file join [workingDirectory] core]]} {
  2244.     if {[preserveCore] > 1} {
  2245. puts "rename core file (> 1)"
  2246. puts [outputChannel] "produced core file! 
  2247. Moving file to: 
  2248. [file join [temporaryDirectory] core-$testFileName]"
  2249. catch {file rename -force 
  2250. [file join [workingDirectory] core] 
  2251. [file join [temporaryDirectory] core-$testFileName]
  2252. } msg
  2253. if {[string length $msg] > 0} {
  2254.     PrintError "Problem renaming file: $msg"
  2255. }
  2256.     } else {
  2257. # Print a message if there is a core file and (1) there
  2258. # previously wasn't one or (2) the new one is different
  2259. # from the old one.
  2260. if {[info exists coreModTime]} {
  2261.     if {$coreModTime != [file mtime 
  2262.     [file join [workingDirectory] core]]} {
  2263. puts [outputChannel] "A core file was created!"
  2264.     }
  2265. } else {
  2266.     puts [outputChannel] "A core file was created!"
  2267. }
  2268.     }
  2269. }
  2270.     }
  2271.     flush [outputChannel]
  2272.     flush [errorChannel]
  2273.     return
  2274. }
  2275. #####################################################################
  2276. # Procs that determine which tests/test files to run
  2277. # tcltest::GetMatchingFiles
  2278. #
  2279. #       Looks at the patterns given to match and skip files and uses
  2280. # them to put together a list of the tests that will be run.
  2281. #
  2282. # Arguments:
  2283. #       directory to search
  2284. #
  2285. # Results:
  2286. #       The constructed list is returned to the user.  This will
  2287. # primarily be used in 'all.tcl' files.  It is used in
  2288. # runAllTests.
  2289. #
  2290. # Side Effects:
  2291. #       None
  2292. # a lower case version is needed for compatibility with tcltest 1.0
  2293. proc tcltest::getMatchingFiles args {eval GetMatchingFiles $args}
  2294. proc tcltest::GetMatchingFiles { args } {
  2295.     if {[llength $args]} {
  2296. set dirList $args
  2297.     } else {
  2298. # Finding tests only in [testsDirectory] is normal operation.
  2299. # This procedure is written to accept multiple directory arguments
  2300. # only to satisfy version 1 compatibility.
  2301. set dirList [list [testsDirectory]]
  2302.     }
  2303.     set matchingFiles [list]
  2304.     foreach directory $dirList {
  2305. # List files in $directory that match patterns to run.
  2306. set matchFileList [list]
  2307. foreach match [matchFiles] {
  2308.     set matchFileList [concat $matchFileList 
  2309.     [glob -directory $directory -types {b c f p s} 
  2310.     -nocomplain -- $match]]
  2311. }
  2312. # List files in $directory that match patterns to skip.
  2313. set skipFileList [list]
  2314. foreach skip [skipFiles] {
  2315.     set skipFileList [concat $skipFileList 
  2316.     [glob -directory $directory -types {b c f p s} 
  2317.     -nocomplain -- $skip]]
  2318. }
  2319. # Add to result list all files in match list and not in skip list
  2320. foreach file $matchFileList {
  2321.     if {[lsearch -exact $skipFileList $file] == -1} {
  2322. lappend matchingFiles $file
  2323.     }
  2324. }
  2325.     }
  2326.     if {[llength $matchingFiles] == 0} {
  2327. PrintError "No test files remain after applying your match and
  2328. skip patterns!"
  2329.     }
  2330.     return $matchingFiles
  2331. }
  2332. # tcltest::GetMatchingDirectories --
  2333. #
  2334. # Looks at the patterns given to match and skip directories and
  2335. # uses them to put together a list of the test directories that we
  2336. # should attempt to run.  (Only subdirectories containing an
  2337. # "all.tcl" file are put into the list.)
  2338. #
  2339. # Arguments:
  2340. # root directory from which to search
  2341. #
  2342. # Results:
  2343. # The constructed list is returned to the user.  This is used in
  2344. # the primary all.tcl file.
  2345. #
  2346. # Side Effects:
  2347. #       None.
  2348. proc tcltest::GetMatchingDirectories {rootdir} {
  2349.     # Determine the skip list first, to avoid [glob]-ing over subdirectories
  2350.     # we're going to throw away anyway.  Be sure we skip the $rootdir if it
  2351.     # comes up to avoid infinite loops.
  2352.     set skipDirs [list $rootdir]
  2353.     foreach pattern [skipDirectories] {
  2354. set skipDirs [concat $skipDirs [glob -directory $rootdir -types d 
  2355. -nocomplain -- $pattern]]
  2356.     }
  2357.     # Now step through the matching directories, prune out the skipped ones
  2358.     # as you go.
  2359.     set matchDirs [list]
  2360.     foreach pattern [matchDirectories] {
  2361. foreach path [glob -directory $rootdir -types d -nocomplain -- 
  2362. $pattern] {
  2363.     if {[lsearch -exact $skipDirs $path] == -1} {
  2364. set matchDirs [concat $matchDirs [GetMatchingDirectories $path]]
  2365. if {[file exists [file join $path all.tcl]]} {
  2366.     lappend matchDirs $path
  2367. }
  2368.     }
  2369. }
  2370.     }
  2371.     if {[llength $matchDirs] == 0} {
  2372. DebugPuts 1 "No test directories remain after applying match
  2373. and skip patterns!"
  2374.     }
  2375.     return $matchDirs
  2376. }
  2377. # tcltest::runAllTests --
  2378. #
  2379. # prints output and sources test files according to the match and
  2380. # skip patterns provided.  after sourcing test files, it goes on
  2381. # to source all.tcl files in matching test subdirectories.
  2382. #
  2383. # Arguments:
  2384. # shell being tested
  2385. #
  2386. # Results:
  2387. # None.
  2388. #
  2389. # Side effects:
  2390. # None.
  2391. proc tcltest::runAllTests { {shell ""} } {
  2392.     variable testSingleFile
  2393.     variable numTestFiles
  2394.     variable numTests
  2395.     variable failFiles
  2396.     FillFilesExisted
  2397.     if {[llength [info level 0]] == 1} {
  2398. set shell [interpreter]
  2399.     }
  2400.     set testSingleFile false
  2401.     puts [outputChannel] "Tests running in interp:  $shell"
  2402.     puts [outputChannel] "Tests located in:  [testsDirectory]"
  2403.     puts [outputChannel] "Tests running in:  [workingDirectory]"
  2404.     puts [outputChannel] "Temporary files stored in
  2405.     [temporaryDirectory]"
  2406.     # [file system] first available in Tcl 8.4
  2407.     if {![catch {file system [testsDirectory]} result]
  2408.     && ![string equal native [lindex $result 0]]} {
  2409. # If we aren't running in the native filesystem, then we must
  2410. # run the tests in a single process (via 'source'), because
  2411. # trying to run then via a pipe will fail since the files don't
  2412. # really exist.
  2413. singleProcess 1
  2414.     }
  2415.     if {[singleProcess]} {
  2416. puts [outputChannel] 
  2417. "Test files sourced into current interpreter"
  2418.     } else {
  2419. puts [outputChannel] 
  2420. "Test files run in separate interpreters"
  2421.     }
  2422.     if {[llength [skip]] > 0} {
  2423. puts [outputChannel] "Skipping tests that match:  [skip]"
  2424.     }
  2425.     puts [outputChannel] "Running tests that match:  [match]"
  2426.     if {[llength [skipFiles]] > 0} {
  2427. puts [outputChannel] 
  2428. "Skipping test files that match:  [skipFiles]"
  2429.     }
  2430.     if {[llength [matchFiles]] > 0} {
  2431. puts [outputChannel] 
  2432. "Only running test files that match:  [matchFiles]"
  2433.     }
  2434.     set timeCmd {clock format [clock seconds]}
  2435.     puts [outputChannel] "Tests began at [eval $timeCmd]"
  2436.     # Run each of the specified tests
  2437.     foreach file [lsort [GetMatchingFiles]] {
  2438. set tail [file tail $file]
  2439. puts [outputChannel] $tail
  2440. flush [outputChannel]
  2441. if {[singleProcess]} {
  2442.     incr numTestFiles
  2443.     uplevel 1 [list ::source $file]
  2444. } else {
  2445.     # Pass along our configuration to the child processes.
  2446.     # EXCEPT for the -outfile, because the parent process
  2447.     # needs to read and process output of children.
  2448.     set childargv [list]
  2449.     foreach opt [Configure] {
  2450. if {[string equal $opt -outfile]} {continue}
  2451. lappend childargv $opt [Configure $opt]
  2452.     }
  2453.     set cmd [linsert $childargv 0 | $shell $file]
  2454.     if {[catch {
  2455. incr numTestFiles
  2456. set pipeFd [open $cmd "r"]
  2457. while {[gets $pipeFd line] >= 0} {
  2458.     if {[regexp [join {
  2459.     {^([^:]+):t}
  2460.     {Totalt([0-9]+)t}
  2461.     {Passedt([0-9]+)t}
  2462.     {Skippedt([0-9]+)t}
  2463.     {Failedt([0-9]+)}
  2464.     } ""] $line null testFile 
  2465.     Total Passed Skipped Failed]} {
  2466. foreach index {Total Passed Skipped Failed} {
  2467.     incr numTests($index) [set $index]
  2468. }
  2469. if {$Failed > 0} {
  2470.     lappend failFiles $testFile
  2471. }
  2472.     } elseif {[regexp [join {
  2473.     {^Number of tests skipped }
  2474.     {for each constraint:}
  2475.     {|^t(d+)t(.+)$}
  2476.     } ""] $line match skipped constraint]} {
  2477. if {[string match t* $match]} {
  2478.     AddToSkippedBecause $constraint $skipped
  2479. }
  2480.     } else {
  2481. puts [outputChannel] $line
  2482.     }
  2483. }
  2484. close $pipeFd
  2485.     } msg]} {
  2486. puts [outputChannel] "Test file error: $msg"
  2487. # append the name of the test to a list to be reported
  2488. # later
  2489. lappend testFileFailures $file
  2490.     }
  2491. }
  2492.     }
  2493.     # cleanup
  2494.     puts [outputChannel] "nTests ended at [eval $timeCmd]"
  2495.     cleanupTests 1
  2496.     if {[info exists testFileFailures]} {
  2497. puts [outputChannel] "nTest files exiting with errors:  n"
  2498. foreach file $testFileFailures {
  2499.     puts [outputChannel] "  [file tail $file]n"
  2500. }
  2501.     }
  2502.     # Checking for subdirectories in which to run tests
  2503.     foreach directory [GetMatchingDirectories [testsDirectory]] {
  2504. set dir [file tail $directory]
  2505. puts [outputChannel] [string repeat ~ 44]
  2506. puts [outputChannel] "$dir test began at [eval $timeCmd]n"
  2507. uplevel 1 [list ::source [file join $directory all.tcl]]
  2508. set endTime [eval $timeCmd]
  2509. puts [outputChannel] "n$dir test ended at $endTime"
  2510. puts [outputChannel] ""
  2511. puts [outputChannel] [string repeat ~ 44]
  2512.     }
  2513.     return
  2514. }
  2515. #####################################################################
  2516. # Test utility procs - not used in tcltest, but may be useful for
  2517. # testing.
  2518. # tcltest::loadTestedCommands --
  2519. #
  2520. #     Uses the specified script to load the commands to test. Allowed to
  2521. #     be empty, as the tested commands could have been compiled into the
  2522. #     interpreter.
  2523. #
  2524. # Arguments
  2525. #     none
  2526. #
  2527. # Results
  2528. #     none
  2529. #
  2530. # Side Effects:
  2531. #     none.
  2532. proc tcltest::loadTestedCommands {} {
  2533.     variable l
  2534.     if {[string equal {} [loadScript]]} {
  2535. return
  2536.     }
  2537.     return [uplevel 1 [loadScript]]
  2538. }
  2539. # tcltest::saveState --
  2540. #
  2541. # Save information regarding what procs and variables exist.
  2542. #
  2543. # Arguments:
  2544. # none
  2545. #
  2546. # Results:
  2547. # Modifies the variable saveState
  2548. #
  2549. # Side effects:
  2550. # None.
  2551. proc tcltest::saveState {} {
  2552.     variable saveState
  2553.     uplevel 1 [list ::set [namespace which -variable saveState]] 
  2554.     {[::list [::info procs] [::info vars]]}
  2555.     DebugPuts  2 "[lindex [info level 0] 0]: $saveState"
  2556.     return
  2557. }
  2558. # tcltest::restoreState --
  2559. #
  2560. # Remove procs and variables that didn't exist before the call to
  2561. #       [saveState].
  2562. #
  2563. # Arguments:
  2564. # none
  2565. #
  2566. # Results:
  2567. # Removes procs and variables from your environment if they don't
  2568. # exist in the saveState variable.
  2569. #
  2570. # Side effects:
  2571. # None.
  2572. proc tcltest::restoreState {} {
  2573.     variable saveState
  2574.     foreach p [uplevel 1 {::info procs}] {
  2575. if {([lsearch [lindex $saveState 0] $p] < 0)
  2576. && ![string equal [namespace current]::$p 
  2577. [uplevel 1 [list ::namespace origin $p]]]} {
  2578.     DebugPuts 2 "[lindex [info level 0] 0]: Removing proc $p"
  2579.     uplevel 1 [list ::catch [list ::rename $p {}]]
  2580. }
  2581.     }
  2582.     foreach p [uplevel 1 {::info vars}] {
  2583. if {[lsearch [lindex $saveState 1] $p] < 0} {
  2584.     DebugPuts 2 "[lindex [info level 0] 0]:
  2585.     Removing variable $p"
  2586.     uplevel 1 [list ::catch [list ::unset $p]]
  2587. }
  2588.     }
  2589.     return
  2590. }
  2591. # tcltest::normalizeMsg --
  2592. #
  2593. # Removes "extra" newlines from a string.
  2594. #
  2595. # Arguments:
  2596. # msg        String to be modified
  2597. #
  2598. # Results:
  2599. # string with extra newlines removed
  2600. #
  2601. # Side effects:
  2602. # None.
  2603. proc tcltest::normalizeMsg {msg} {
  2604.     regsub "n$" [string tolower $msg] "" msg
  2605.     set msg [string map [list "nn" "n"] $msg]
  2606.     return [string map [list "n}" "}"] $msg]
  2607. }
  2608. # tcltest::makeFile --
  2609. #
  2610. # Create a new file with the name <name>, and write <contents> to it.
  2611. #
  2612. # If this file hasn't been created via makeFile since the last time
  2613. # cleanupTests was called, add it to the $filesMade list, so it will be
  2614. # removed by the next call to cleanupTests.
  2615. #
  2616. # Arguments:
  2617. # contents        content of the new file
  2618. #       name            name of the new file
  2619. #       directory       directory name for new file
  2620. #
  2621. # Results:
  2622. # absolute path to the file created
  2623. #
  2624. # Side effects:
  2625. # None.
  2626. proc tcltest::makeFile {contents name {directory ""}} {
  2627.     variable filesMade
  2628.     FillFilesExisted
  2629.     if {[llength [info level 0]] == 3} {
  2630. set directory [temporaryDirectory]
  2631.     }
  2632.     set fullName [file join $directory $name]
  2633.     DebugPuts 3 "[lindex [info level 0] 0]:
  2634.      putting ``$contents'' into $fullName"
  2635.     set fd [open $fullName w]
  2636.     fconfigure $fd -translation lf
  2637.     if {[string equal [string index $contents end] n]} {
  2638. puts -nonewline $fd $contents
  2639.     } else {
  2640. puts $fd $contents
  2641.     }
  2642.     close $fd
  2643.     if {[lsearch -exact $filesMade $fullName] == -1} {
  2644. lappend filesMade $fullName
  2645.     }
  2646.     return $fullName
  2647. }
  2648. # tcltest::removeFile --
  2649. #
  2650. # Removes the named file from the filesystem
  2651. #
  2652. # Arguments:
  2653. # name          file to be removed
  2654. #       directory     directory from which to remove file
  2655. #
  2656. # Results:
  2657. # return value from [file delete]
  2658. #
  2659. # Side effects:
  2660. # None.
  2661. proc tcltest::removeFile {name {directory ""}} {
  2662.     variable filesMade
  2663.     FillFilesExisted
  2664.     if {[llength [info level 0]] == 2} {
  2665. set directory [temporaryDirectory]
  2666.     }
  2667.     set fullName [file join $directory $name]
  2668.     DebugPuts 3 "[lindex [info level 0] 0]: removing $fullName"
  2669.     set idx [lsearch -exact $filesMade $fullName]
  2670.     set filesMade [lreplace $filesMade $idx $idx]
  2671.     if {$idx == -1} {
  2672. DebugDo 1 {
  2673.     Warn "removeFile removing "$fullName":n  not created by makeFile"
  2674. }
  2675.     } 
  2676.     if {![file isfile $fullName]} {
  2677. DebugDo 1 {
  2678.     Warn "removeFile removing "$fullName":n  not a file"
  2679. }
  2680.     }
  2681.     return [file delete $fullName]
  2682. }
  2683. # tcltest::makeDirectory --
  2684. #
  2685. # Create a new dir with the name <name>.
  2686. #
  2687. # If this dir hasn't been created via makeDirectory since the last time
  2688. # cleanupTests was called, add it to the $directoriesMade list, so it
  2689. # will be removed by the next call to cleanupTests.
  2690. #
  2691. # Arguments:
  2692. #       name            name of the new directory
  2693. #       directory       directory in which to create new dir
  2694. #
  2695. # Results:
  2696. # absolute path to the directory created
  2697. #
  2698. # Side effects:
  2699. # None.
  2700. proc tcltest::makeDirectory {name {directory ""}} {
  2701.     variable filesMade
  2702.     FillFilesExisted
  2703.     if {[llength [info level 0]] == 2} {
  2704. set directory [temporaryDirectory]
  2705.     }
  2706.     set fullName [file join $directory $name]
  2707.     DebugPuts 3 "[lindex [info level 0] 0]: creating $fullName"
  2708.     file mkdir $fullName
  2709.     if {[lsearch -exact $filesMade $fullName] == -1} {
  2710. lappend filesMade $fullName
  2711.     }
  2712.     return $fullName
  2713. }
  2714. # tcltest::removeDirectory --
  2715. #
  2716. # Removes a named directory from the file system.
  2717. #
  2718. # Arguments:
  2719. # name          Name of the directory to remove
  2720. #       directory     Directory from which to remove
  2721. #
  2722. # Results:
  2723. # return value from [file delete]
  2724. #
  2725. # Side effects:
  2726. # None
  2727. proc tcltest::removeDirectory {name {directory ""}} {
  2728.     variable filesMade
  2729.     FillFilesExisted
  2730.     if {[llength [info level 0]] == 2} {
  2731. set directory [temporaryDirectory]
  2732.     }
  2733.     set fullName [file join $directory $name]
  2734.     DebugPuts 3 "[lindex [info level 0] 0]: deleting $fullName"
  2735.     set idx [lsearch -exact $filesMade $fullName]
  2736.     set filesMade [lreplace $filesMade $idx $idx]
  2737.     if {$idx == -1} {
  2738. DebugDo 1 {
  2739.     Warn "removeDirectory removing "$fullName":n  not created
  2740.     by makeDirectory"
  2741. }
  2742.     } 
  2743.     if {![file isdirectory $fullName]} {
  2744. DebugDo 1 {
  2745.     Warn "removeDirectory removing "$fullName":n  not a directory"
  2746. }
  2747.     }
  2748.     return [file delete -force $fullName]
  2749. }
  2750. # tcltest::viewFile --
  2751. #
  2752. # reads the content of a file and returns it
  2753. #
  2754. # Arguments:
  2755. # name of the file to read
  2756. #       directory in which file is located
  2757. #
  2758. # Results:
  2759. # content of the named file
  2760. #
  2761. # Side effects:
  2762. # None.
  2763. proc tcltest::viewFile {name {directory ""}} {
  2764.     FillFilesExisted
  2765.     if {[llength [info level 0]] == 2} {
  2766. set directory [temporaryDirectory]
  2767.     }
  2768.     set fullName [file join $directory $name]
  2769.     set f [open $fullName]
  2770.     set data [read -nonewline $f]
  2771.     close $f
  2772.     return $data
  2773. }
  2774. # tcltest::bytestring --
  2775. #
  2776. # Construct a string that consists of the requested sequence of bytes,
  2777. # as opposed to a string of properly formed UTF-8 characters.
  2778. # This allows the tester to
  2779. # 1. Create denormalized or improperly formed strings to pass to C
  2780. #    procedures that are supposed to accept strings with embedded NULL
  2781. #    bytes.
  2782. # 2. Confirm that a string result has a certain pattern of bytes, for
  2783. #    instance to confirm that "xe0" in a Tcl script is stored
  2784. #    internally in UTF-8 as the sequence of bytes "xc3xa0xc0x80".
  2785. #
  2786. # Generally, it's a bad idea to examine the bytes in a Tcl string or to
  2787. # construct improperly formed strings in this manner, because it involves
  2788. # exposing that Tcl uses UTF-8 internally.
  2789. #
  2790. # Arguments:
  2791. # string being converted
  2792. #
  2793. # Results:
  2794. # result fom encoding
  2795. #
  2796. # Side effects:
  2797. # None
  2798. proc tcltest::bytestring {string} {
  2799.     return [encoding convertfrom identity $string]
  2800. }
  2801. # tcltest::OpenFiles --
  2802. #
  2803. # used in io tests, uses testchannel
  2804. #
  2805. # Arguments:
  2806. # None.
  2807. #
  2808. # Results:
  2809. # ???
  2810. #
  2811. # Side effects:
  2812. # None.
  2813. proc tcltest::OpenFiles {} {
  2814.     if {[catch {testchannel open} result]} {
  2815. return {}
  2816.     }
  2817.     return $result
  2818. }
  2819. # tcltest::LeakFiles --
  2820. #
  2821. # used in io tests, uses testchannel
  2822. #
  2823. # Arguments:
  2824. # None.
  2825. #
  2826. # Results:
  2827. # ???
  2828. #
  2829. # Side effects:
  2830. # None.
  2831. proc tcltest::LeakFiles {old} {
  2832.     if {[catch {testchannel open} new]} {
  2833. return {}
  2834.     }
  2835.     set leak {}
  2836.     foreach p $new {
  2837. if {[lsearch $old $p] < 0} {
  2838.     lappend leak $p
  2839. }
  2840.     }
  2841.     return $leak
  2842. }
  2843. #
  2844. # Internationalization / ISO support procs     -- dl
  2845. #
  2846. # tcltest::SetIso8859_1_Locale --
  2847. #
  2848. # used in cmdIL.test, uses testlocale
  2849. #
  2850. # Arguments:
  2851. # None.
  2852. #
  2853. # Results:
  2854. # None.
  2855. #
  2856. # Side effects:
  2857. # None.
  2858. proc tcltest::SetIso8859_1_Locale {} {
  2859.     variable previousLocale
  2860.     variable isoLocale
  2861.     if {[info commands testlocale] != ""} {
  2862. set previousLocale [testlocale ctype]
  2863. testlocale ctype $isoLocale
  2864.     }
  2865.     return
  2866. }
  2867. # tcltest::RestoreLocale --
  2868. #
  2869. # used in cmdIL.test, uses testlocale
  2870. #
  2871. # Arguments:
  2872. # None.
  2873. #
  2874. # Results:
  2875. # None.
  2876. #
  2877. # Side effects:
  2878. # None.
  2879. proc tcltest::RestoreLocale {} {
  2880.     variable previousLocale
  2881.     if {[info commands testlocale] != ""} {
  2882. testlocale ctype $previousLocale
  2883.     }
  2884.     return
  2885. }
  2886. # tcltest::threadReap --
  2887. #
  2888. # Kill all threads except for the main thread.
  2889. # Do nothing if testthread is not defined.
  2890. #
  2891. # Arguments:
  2892. # none.
  2893. #
  2894. # Results:
  2895. # Returns the number of existing threads.
  2896. #
  2897. # Side Effects:
  2898. #       none.
  2899. #
  2900. proc tcltest::threadReap {} {
  2901.     if {[info commands testthread] != {}} {
  2902. # testthread built into tcltest
  2903. testthread errorproc ThreadNullError
  2904. while {[llength [testthread names]] > 1} {
  2905.     foreach tid [testthread names] {
  2906. if {$tid != [mainThread]} {
  2907.     catch {
  2908. testthread send -async $tid {testthread exit}
  2909.     }
  2910. }
  2911.     }
  2912.     ## Enter a bit a sleep to give the threads enough breathing
  2913.     ## room to kill themselves off, otherwise the end up with a
  2914.     ## massive queue of repeated events
  2915.     after 1
  2916. }
  2917. testthread errorproc ThreadError
  2918. return [llength [testthread names]]
  2919.     } elseif {[info commands thread::id] != {}} {
  2920. # Thread extension
  2921. thread::errorproc ThreadNullError
  2922. while {[llength [thread::names]] > 1} {
  2923.     foreach tid [thread::names] {
  2924. if {$tid != [mainThread]} {
  2925.     catch {thread::send -async $tid {thread::exit}}
  2926. }
  2927.     }
  2928.     ## Enter a bit a sleep to give the threads enough breathing
  2929.     ## room to kill themselves off, otherwise the end up with a
  2930.     ## massive queue of repeated events
  2931.     after 1
  2932. }
  2933. thread::errorproc ThreadError
  2934. return [llength [thread::names]]
  2935.     } else {
  2936. return 1
  2937.     }
  2938.     return 0
  2939. }
  2940. # Initialize the constraints and set up command line arguments
  2941. namespace eval tcltest {
  2942.     # Define initializers for all the built-in contraint definitions
  2943.     DefineConstraintInitializers
  2944.     # Set up the constraints in the testConstraints array to be lazily
  2945.     # initialized by a registered initializer, or by "false" if no
  2946.     # initializer is registered.
  2947.     trace variable testConstraints r [namespace code SafeFetch]
  2948.     # Only initialize constraints at package load time if an
  2949.     # [initConstraintsHook] has been pre-defined.  This is only
  2950.     # for compatibility support.  The modern way to add a custom
  2951.     # test constraint is to just call the [testConstraint] command
  2952.     # straight away, without all this "hook" nonsense.
  2953.     if {[string equal [namespace current] 
  2954.     [namespace qualifiers [namespace which initConstraintsHook]]]} {
  2955. InitConstraints
  2956.     } else {
  2957. proc initConstraintsHook {} {}
  2958.     }
  2959.     # Define the standard match commands
  2960.     customMatch exact [list string equal]
  2961.     customMatch glob [list string match]
  2962.     customMatch regexp [list regexp --]
  2963.     # If the TCLTEST_OPTIONS environment variable exists, configure
  2964.     # tcltest according to the option values it specifies.  This has
  2965.     # the effect of resetting tcltest's default configuration.
  2966.     proc ConfigureFromEnvironment {} {
  2967. upvar #0 env(TCLTEST_OPTIONS) options
  2968. if {[catch {llength $options} msg]} {
  2969.     Warn "invalid TCLTEST_OPTIONS "$options":n  invalid
  2970.     Tcl list: $msg"
  2971.     return
  2972. }
  2973. if {[llength $::env(TCLTEST_OPTIONS)] % 2} {
  2974.     Warn "invalid TCLTEST_OPTIONS: "$options":n  should be
  2975.     -option value ?-option value ...?"
  2976.     return
  2977. }
  2978. if {[catch {eval Configure $::env(TCLTEST_OPTIONS)} msg]} {
  2979.     Warn "invalid TCLTEST_OPTIONS: "$options":n  $msg"
  2980.     return
  2981. }
  2982.     }
  2983.     if {[info exists ::env(TCLTEST_OPTIONS)]} {
  2984. ConfigureFromEnvironment
  2985.     }
  2986.     proc LoadTimeCmdLineArgParsingRequired {} {
  2987. set required false
  2988. if {[info exists ::argv] && [lsearch -exact $::argv -help] != -1} {
  2989.     # The command line asks for -help, so give it (and exit)
  2990.     # right now.  ([configure] does not process -help)
  2991.     set required true
  2992. }
  2993. foreach hook { PrintUsageInfoHook processCmdLineArgsHook
  2994. processCmdLineArgsAddFlagsHook } {
  2995.     if {[string equal [namespace current] [namespace qualifiers 
  2996.     [namespace which $hook]]]} {
  2997. set required true
  2998.     } else {
  2999. proc $hook args {}
  3000.     }
  3001. }
  3002. return $required
  3003.     }
  3004.     # Only initialize configurable options from the command line arguments
  3005.     # at package load time if necessary for backward compatibility.  This
  3006.     # lets the tcltest user call [configure] for themselves if they wish.
  3007.     # Traces are established for auto-configuration from the command line
  3008.     # if any configurable options are accessed before the user calls
  3009.     # [configure].
  3010.     if {[LoadTimeCmdLineArgParsingRequired]} {
  3011. ProcessCmdLineArgs
  3012.     } else {
  3013. EstablishAutoConfigureTraces
  3014.     }
  3015.     package provide [namespace tail [namespace current]] $Version
  3016. }