Tcl Exec Example
I'm working on a simple TCL script that will simply execute a batch script. The batch script works fine when I manually execute it. I just need to have the TCL script execute it whenever the TCL script is run. The line that is supposed to execute is: exec cmd /c E: healthvision cis5.8 int egrator bi n DailySM ATCycle.b at. I have some TcL scripts that run fine from tclsh, but I'm not sure how to trigger them from EEM. Any help would be greatly appreciated. The directory from which the Tcl executable was loaded. The current directory. The Windows 3.X system directory. The Windows 3.X home directory. The directories listed in the path. In order to execute the shell builtin commands like dir and copy, the caller must prepend ``command.com /c ' to the desired command. Exec ' exec-cmd ' Example: Router(tcl)# exec 'show interfaces' (Optional) Executes Cisco IOS CLI EXEC mode commands from a Tcl script by specifying the Tcl command exec with the CLI commands. In this example, interface information for the router is displayed. Step 16: exit Example: Router(tcl)# exit. Say I have a TCL script like this: exec ls -l Now this will print out the content of current directory. I need to take that output as a string and parse it. How to get the results (standard output) of a TCL exec command? Ask Question Asked 6 years, 10 months ago. For example cvs log filename works correctly. Execute in Parallel and Wait. Fileevent is often recommended for execution of multiple processes in parallel, but it requires a script to be written in an event-driven style. Sometimes what is wanted is to execute multiple processes which run in parallel, and wait for them all to complete. Here is an example of that.
Say I have a TCL script like this:
Now this will print out the content of current directory. I need to take that output as a string and parse it. How I can do this?
Ciro Santilli 新疆改造中心法轮功六四事件1 Answer
exec
returns the output so simply set a variable to it:
You may want to wrap this in a catch
however:
Not the answer you're looking for? Browse other questions tagged exectcl or ask your own question.
Most of these example scripts first appeared in the Tclers' Wiki http://wiki.tcl.tk . The author (Richard Suchenwirth) declares them to be fully in the public domain. The following scripts are plain Tcl, they don't use the Tk GUI toolkit (there's a separate chapter for those).
- 4Custom control structures
- 14Database experiments
- 15Programming Languages Laboratory
- 21Object orientation
Sets as lists[edit]
Tcl's lists are well suited to represent sets. Here's typical set operations. If you use the tiny testing framework explained earlier, the e.g. lines make the self-test; otherwise they just illustrate how the operations should work.
Hex-dumping a file[edit]
The following example code opens a file, configures it to binary translation (i.e. line-ends rn
are not standardized to n
as usual in C), and prints as many lines as needed which each contain 16 bytes in hexadecimal notation, plus, where possible, the ASCII character.
The 'main routine' is a single line that dumps all files given on the command line:
Sample output, the script applied to itself:
Roman numerals[edit]
Roman numerals are an additive (and partially subtractive) system with the following letter values:
Here's some Tcl routines for dealing with Roman numerals.
Sorting roman numerals: I,V,X already come in the right order; for the others we have to introduce temporary collation transformations, which we'll undo right after sorting:
Roman numerals from integer:
Roman numerals parsed into integer:
Custom control structures[edit]
As 'control structures' are really nothing special in Tcl, just a set of commands, it is easier than in most other languages to create one's own. For instance, if you would like to simplify the for loop
for the typical simple cases so you can write instead
here is an implementation that even returns a list of the results of each iteration:
using this, a string reverse function can be had as a one-liner:
Range-aware switch[edit]
Another example is the following range-aware switch variation. A range (numeric or strings) can be given as from.to, and the associated scriptlet gets executed if the tested value lies inside that range.
Like in switch, fall-through collapsing of several cases is indicated by '-', and 'default' as final condition fires if none else did. Different from switch, numbers are compared by numeric value, no matter whether given as decimal, octal or hex.
Testing:
The K combinator[edit]
A very simple control structure (one might also call it a result dispatcher) is the K combinator, which is almost terribly simple:
It can be used in all situations where you want to deliver a result that is not the last. For instance, reading a file in one go:
can be simplified, without need for the data variable, to:
Another example, popping a stack:
This is in some ways similar to LISP's PROG1 construct: evaluate the contained expressions, and return the result of the first one.
Rational numbers[edit]
Rational numbers, a.k.a. fractions, can be thought of as pairs of integers {numerator denominator}, such that their 'real' numerical value is numerator/denominator (and not in integer nor 'double' division!). They can be more precise than any 'float' or 'double' numbers on computers, as those can't exactly represent any fractions whose denominator isn't a power of 2 — consider 1⁄3 which can not at any precision be exactly represented as floating-point number to base 2, nor as decimal fraction (base 10), even if bignum.
An obvious string representation of a rational is of course 'n/d'. The following 'constructor' does that, plus it normalizes the signs, reduces to lowest terms, and returns just the integer n if d1:
Conversely, this 'deconstructor' splits zero or more rational or integer strings into num and den variables, such that [ratsplit 1/3 a b] assigns 1 to a and 3 to b:
Arithmetical helper functions can be wrapped with func if they only consist of one call of expr:
Docstrings[edit]
Languages like Lisp and Python have the docstring feature, where a string in the beginning of a function can be retrieved for on-line (or printed) documentation. Tcl doesn't have this mechanism built-in (and it would be hard to do it exactly the same way, because everything is a string), but a similar mechanism can easily be adopted, and it doesn't look bad in comparison:
- Common Lisp: (documentation 'foo 'function)
- Python: foo.__doc__
- Tcl: docstring foo
If the docstring is written in comments at the top of a proc body, it is easy to parse it out. In addition, for all procs, even without docstring, you get the 'signature' (proc name and arguments with defaults). The code below also serves as usage example: }
Testing:
Factorial[edit]
Factorial (n!) is a popular function with super-exponential growth. Mathematically put,
In Tcl, we can have it pretty similarly:
But this very soon crosses the limits of integers, giving wrong results.
A math book showed me the Stirling approximation to n!
for large n
(at Tcl's precisions, 'large' is > 20 ..), so I built that in:
Just in case somebody needs approximated large factorials.. But for n>143
we reach the domain limit of floating point numbers. In fact, the float limit is at n>170
, so an intermediate result in the Stirling formula must have busted at 144. For such few values it is most efficient to just look them up in a pre-built table, as Tcllib's math::factorial
does.
How big is A4?[edit]
Letter and Legal paper formats are popular in the US and other places. In Europe and elsewhere, the most widely used paper format is called A4. To find out how big a paper format is, one can measure an instance with a ruler, or look up appropriate documentation. The A formats can also be deduced from the following axioms:
- A0 has an area of one square meter
A(n)
has half the area ofA(n-1)
- The ratio between the longer and the shorter side of an A format is constant
How much this ratio is, can easily be computed if we consider that A(n)
is produced from A(n-1)
by halving it parallel to the shorter side, so
So here is my Tcl implementation, which returns a list of height and width in centimeters (10000 cm2 = 1 m2) with two fractional digits, which delivers a sufficient precision of 1/10 mm: }
Bit vectors[edit]
Here is a routine for querying or setting single bits in vectors, where bits are addressed by non-negative integers. Implementation is as a 'little-endian' list of integers, where bits 0.31 are in the first list element, 32.63 in the second, etc.
Usage: bitvarName position ?bitval?
If bitval is given, sets the bit at numeric position position to 1 if bitval !=
0, else to 0; in any case returns the bit value at specified position. If variable varName does not exist in caller's scope, it will be created; if it is not long enough, it will be extended to hold at least $position+1
bits, e.g. bit foo 32 will turn foo into a list of two integers, if it was only one before. All bits are initialized to 0.
This may be used for Boolean properties of numerically indexed sets of items. Example: An existence map of ZIP codes between 00000 and 99999 can be kept in a list of 3125 integers (where each element requires about 15 bytes overall), while implementing the map as an array would take 100000 * 42 bytes in worst case, but still more than a bit vector if the population isn't extremely sparse — in that case, a list of 1-bit positions, retrieved with lsearch
, might be more efficient in memory usage. Runtime of bit vector accesses is constant, except when a vector has to be extended to much larger length.
Bit vectors can also be used to indicate set membership (set operations would run faster if processing 32 bits on one go with bitwise operators (&
, ,
~
, ^
)) — or pixels in a binary imary image, where each row could be implemented by a bitvector.
Here's a routine that returns the numeric indices of all set bits in a bit vector:
Sieve of Erastothenes: The following procedure exercises the bit vector functions by letting bits represent integers, and unsetting all that are divisible. The numbers of the bits finally still set are supposed to be primes, and returned:
Here's code to count the number of 1-bits in a bit vector, represented as an integer list. It does so by adding the values of the hex digits:
Stacks and queues[edit]
Stacks and queues are containers for data objects with typical access methods:
- push: add one object to the container
- pop: retrieve and remove one object from the container
In Tcl it is easiest to implement stacks and queues with lists, and the push method is most naturally lappend, so we only have to code a single generic line for all stacks and queues:
It is pop operations in which stacks, queues, and priority queues differ:
- in a stack, the most recently pushed object is retrieved and removed (last in first out, LIFO)
- in a (normal) queue, it is the least recently pushed object (first in first out, FIFO)
- in a priority queue, the object with the highest priority comes first.
Priority (a number) has to be assigned at pushing time — by pushing a list of two elements, the item itself and the priority, e.g.
In a frequent parlage, priority 1 is the 'highest', and the number increases for 'lower' priorities — but you could push in an item with 0 for 'ultrahigh' ;-) Popping a stack can be done like this:
Popping a queue is similarly structured, but with so different details that I found no convenient way to factor out things:
Popping a priority queue requires sorting out which item has highest priority. Sorting can be done when pushing, or when popping, and since our push is so nicely generic I prefer the second choice (as the number of pushs and pops should be about equal, it does not really matter). Tcl's lsort is stable, so items with equal priority will remain in the order in which they were queued:
A practical application is e.g. in state space searching, where the kind of container of the to-do list determines the strategy:
- stack is depth-first
- (normal) queue is breadth-first
- priority queue is any of the more clever ways: A*, Greedy, ..
Recent-use lists: A variation that can be used both in a stack or queue fashion is a list of values in order of their last use (which may come handy in an editor to display the last edited files, for instance). Here, pushing has to be done by dedicated code because a previous instance would have to be removed:
The first element is the least recently, the last the most recently used. Elements are not removed by the popping, but (if necessary) when re-pushing. (One might truncate the list at front if it gets too long).
Functions[edit]
Functions in Tcl are typically written with the proc command. But I notice more and more that, on my way to functional programming, my proc bodies are a single call to expr which does all the rest (often with the powerful x?y:z
operator). So what about a thin abstraction (wrapper) around this recurring pattern?
(I might have called it fun as well.. it sure is.) That's all. A collateral advantage is that all expressions are braced, without me having to care. But to not make the page look so empty, here's some examples for func uses:
Pity we have to make expr explicit again, in nested calls like in gcd .. But func isn't limited to math functions (which, especially when recursive, come out nice), but for expr uses in testing predicates as well:
Exposing expr binary arithmetic operators as Tcl commands goes quite easy too:
For '-', we distinguish unary and binary form:
Having the modulo operator exposed, gcd now looks nicer:
For unary not I prefer that name to '!', as it might also stand for factorial — and see the shortest function body I ever wrote :^) :
Without big mention, functions implemented by recursion have a pattern for which func is well suited (see fac and gcd above). Another example is this integer range generator (starts from 1, and is inclusive, so [iota1 5] {1 2 3 4 5}
):
Experiments with Boolean functions[edit]
'NAND is not AND.' Here are some Tcl codelets to demonstrate how all Boolean operations can be expressed in terms of the single NAND operator, which returns true if not both his two inputs are true (NOR would have done equally well). We have Boolean operators in expr, so here goes:
The only unary operator NOT can be written in terms of nand:
. and everything else can be built from them too:
Here's some testing tools — to see whether an implementation is correct, look at its truth table, here done as the four results for A,B combinations 0,0 0,1 1,0 1,1 — side note: observe how easily functions can be passed in as arguments:
To see how efficient the implementation is (in terms of NAND units used), try this, which relies on the fact that Boolean functions contain no lowercase letters apart from the operator names:
As a very different idea, having nothing to do with NAND as elementary function, the following generic code 'implements' Boolean functions very intuitively, by just giving their truth table for look-up at runtime:
Solving cryptarithms[edit]
Cryptarithms are puzzles where digits are represented by letters, and the task is to find out which. The following 'General Problem Solver' (for small values of General) uses heavy metaprogramming: it
- builds up a nest of foreachs suiting the problem,
- quick kills (with continue) to force unique values for the variables, and
- returns the first solution found, or else an empty string:
This works fine on some well-known cryptarithms:
Database experiments[edit]
A simple array-based database[edit]
There are lots of complex databases around. Here I want to explore how a database can be implemented in the Tcl spirit of simplicity, and how far that approach takes us. Consider the following model:
- A database is a set of records
- A record is a nonempty set of fields with a unique ID
- A field is a pair of tag and nonempty value, both being strings
Fields may well be implemented as array entries, so we could have an array per record, or better one array for the whole database, where the key is composed of ID and tag. Unique IDs can be had by just counting up (incrementing the highest ID so far). The process of creating a simple database consists only of setting an initial value for the ID:
Let's consider a library application for an example. Adding a book to the database can be simply done by
Note that, as we never specified what fields a record shall contain, we can add whatever we see fit. For easier handling, it's a good idea to classify records somehow (we'll want to store more than books), so we add
Retrieving a record is as easy as this (though the fields come in undefined order):
and deleting a record is only slightly more convolved:
or, even easier and faster from Tcl 8.3 on:
Here's how to get a 'column', all fields of a given tag:
But real columns may have empty fields, which we don't want to store. Retrieving fields that may not physically exist needs a tolerant access function:
In a classical database we have to define tables: which fields of what type and of which width. Here we can do what we want, even retrieve which fields we have used so far (using a temporary array to keep track of field names):
Searching for records that meet a certain condition can be done sequentially. For instance, we want all books printed before 1980:
We might also store our patrons in the same database (here in a different style):
Without a concept of 'tables', we can now introduce structures like in relational databases. Assume John Smith borrows 'The Tempest'. We have the patron's and book's ID in variables and do double bookkeeping:
When he returns the book, the process is reversed:
The dueback field (%Y-%M-%d
format is good for sorting and comparing) is useful for checking whether books have not been returned in time:
Likewise, parts of the accounting (e.g. orders to, and bills from, booksellers) can be added with little effort, and cross-related also to external files (just set the value to the filename).
Indexes: As shown, we can retrieve all data by sequential searching over array names. But if the database grows in size, it's a good idea to create indexes which cross-reference tags and values to IDs. For instance, here's how to make an authors' index in four lines:
gives us a books list of all authors matching the given glob pattern (we reuse Tcl's functionality, instead of reinventing it..). Indexes are useful for repeated information that is likely to be searched. Especially, indexing the isa field allows iterating over 'tables' (which we still don't explicitly have!;-):
And beyond industry-standard SQL, we can search multiple indices in one query:
gives you all (case-independent) occurrences of MARK, be it in patron's names, book's authors or titles. As versatile as good old grep..
Persistence: Databases are supposed to exist between sessions, so here's how to save a database to a file:
and loading a database is even easier (on re-loading, better unset the array before):
If you use characters outside your system encoding (no problem to write Japanese book titles in Kanji), you'll have to fconfigure (e.g -encoding utf-8) on saving and loading, but that's just a few more LOC. Saving also goes a good way to what is ceremonially called 'committing' (you'll need write-locking for multi-user systems), while loading (without saving before) might be called a 'one-level rollback', where you want to discard your latest changes.
Notice that so far we have only defined one short proc, all other operations were done with built-in Tcl commands only. For clearer code, it is advisable to factor out frequent operations into procs, e.g.
Of course, with growing databases we may reach memory limits: arrays need some extra storage for administration. On the other hand, the present approach is pretty economic, since it does not use field widths (all strings are 'shrink-wrapped'), and omits empty fields, while at the same time allowing to add whatever fields you wish. A further optimization could be to tally value strings, and replace the frequent ones with '@$id
', where db(@$id)
holds the value once, and only db'get has to be adapted to redirect the query.
Also, memory limits on modern computers are somewhere up high.. so only at some time in the future you might have (but maybe not want) to change to a complex database ;-)
On the limits: Tcl arrays may get quite large (one app was reported to store 800000 keys in Greek characters), and at some point enumerating all keys with array names db (which produces one long list) may exceed your available memory, causing the process to swap. In that situation, you can fall back to the (otherwise slower, and uglier) use of a dedicated iterator:
But neither can you filter the keys you will get with a glob pattern, nor may you add or delete array elements in the loop — the search will be immediately terminated.
Tables as lists of lists[edit]
Tables are understood here as rectangular (matrix) arrangements of data in rows (one row per 'item'/'record') and columns (one column per 'field'/'element'). They are for instance the building blocks of relational databases and spreadsheets. In Tcl, a sensible implementation for compact data storage would be as a list of lists. This way, they are 'pure values' and can be passed e.g. through functions that take a table and return a table. No con-/destructors are needed, in contrast to the heavierweight matrix in Tcllib. I know there are many table implementations in Tcl, but like so often I wanted to build one 'with my bare hands' and as simple as possible. As you see below, many functionalities can be 'implemented' by just using Tcl's list functions.
A nice table also has a header line, that specifies the field names. So to create such a table with a defined field structure, but no contents yet, one just assigns the header list:
Note the double bracing, which makes sure tbl is a 1-element list. Adding 'records' to the table is as easy as
Make sure the fields (cells) match those in the header. Here single bracing is correct. If a field content contains spaces, it must be quoted or braced too:
Sorting a table can be done with lsort -index, taking care that the header line stays on top:
Removing a row (or contiguous sequence of rows) by numeric index is a job for lreplace:
Simple printing of such a table, a row per line, is easy with
Accessing fields in a table is more fun with the field names than the numeric indexes, which is made easy by the fact that the field names are in the first row:
You can then access cells:
and replace cell contents like this:
Here is how to filter a table by giving pairs of field name and glob-style expression — in addition to the header line, all rows that satisfy at least one of those come through (you can force AND behavior by just nesting such calls):
This filters (and, if wanted, rearranges) columns, sort of what is called a 'view':
Programming Languages Laboratory[edit]
In the following few chapters you'll see how easy it is to emulate or explore other programming languages with Tcl.
GOTO: a little state machine[edit]
The GOTO 'jumping' instruction is considered harmful in programming for many years now, but still it might be interesting to experiment with. Tcl has no goto command, but it can easily be created.The following code was created in the Tcl chatroom, instigated by the quote: 'A computer is a state machine. Threads are for people who can't program state machines.'
So here is one model of a state machine in ten lines of code.The 'machine' itself takes a list of alternating labels and state code; if a state code does not end in a goto or break, the same state will be repeated as long as not left, with goto or break (implicit endless loop).The goto command is defined 'locally', and deleted after leaving the state machine — it is not meaningfully used outside of it.Execution starts at the first of the states.
Testing: a tiny state machine that greets you as often as you wish, and ends if you only hit Return on the 'how often?' question:
Playing Assembler[edit]
In this weekend fun project to emulate machine language, I picked those parts of Intel 8080A/8085 Assembler (because I had a detailed reference handy) that are easily implemented and still somehow educational (or nostalgic ;-).
Of course this is no real assembler. The memory model is constant-size instructions (strings in array elements), which are implemented as Tcl procs. So an 'assembler' program in this plaything will run even slower than in pure Tcl, and consume more memory — while normally you associate speed and conciseness with 'real' assembler code. But it looks halfway like the real thing: you get sort of an assembly listing with symbol table, and can run it — I'd hardly start writing an assembler in C, but in Tcl it's fun for a sunny Sunday afternoon.. }
Now testing:
The mov b,INCR
part is an oversimplification. For a real 8080, one would have to say
Since the pseudo-register M can also be used for writing back, it cannot be implemented by simply copying the value. Rather, one could use read and write traces on variable M, causing it to load from, or store to, mem($HL). Maybe another weekend..
Functional programming (Backus 1977)[edit]
John Backus turned 80 these days. For creating FORTRAN and the BNF style of language description, he received the ACM Turing Award in 1977. In his Turing Award lecture,
Can Programming Be Liberated from the von Neumann Style? A Functional Style and Its Algebra of Programs. (Comm. ACM 21.8, Aug. 1978, 613-641)
he developed an amazing framework for functional programming, from theoretical foundations to implementation hints, e.g. for installation, user privileges, and system self-protection. In a nutshell, his FP system comprises
- a set O of objects (atoms or sequences)
- a set F of functions that map objects into objects (
f : O -> O
} - an operation, application (very roughly, eval)
- a set FF of functional forms, used to combine functions or objects to form new functions in F
- a set D of definitions that map names to functions in F
I'm far from having digested it all, but like so often, interesting reading prompts me to do Tcl experiments, especially on weekends. I started with Backus' first Functional Program example,
and wanted to bring it to life — slightly adapted to Tcl style, especially by replacing the infix operator 'o' with a Polish prefix style:
Unlike procs or lambdas, more like APL or RPN, this definition needs no variables — it declares (from right to left) what to do with the input; the result of each step is the input for the next step (to the left of it). In an RPN language, the example might look like this:
which has the advantage that execution goes from left to right, but requires some stack awareness (and some swaps to set the stack right ;^)
Implementing Def, I took an easy route by just creating a proc that adds an argument and leaves it to the 'functional' to do the right thing (with some quoting heaven :-) }
For functional composition, where, say for two functions f and g,
again a proc is created that does the bracket nesting:
Why Backus used Transpose on the input, wasn't first clear to me, but as he (like we Tclers) represents a matrix as a list of rows, which are again lists (also known as vectors), it later made much sense to me. This code for transposing a matrix uses the fact that variable names can be any string, including those that look like integers, so the column contents are collected into variables named 0 1 2 .. and finally turned into the result list:
An integer range generator produces the variable names, e.g iota 3 => {0 1 2}
..and Insert is better known as fold, I suppose. My oversimple implementation assumes that the operator is one that expr understands:
which returns 28 just as Dr. Backus ordered (= 1*6 + 2*5 + 3*4). Ah, the joys of weekend Tcl'ing.. — and belatedly, Happy Birthday, John! :)
Another example, cooked up by myself this time, computes the average of a list. For this we need to implement the construction operator, which is sort of inverse mapping — while mapping a function over a sequence of inputs produces a sequence of outputs of that function applied to each input, Backus' construction maps a sequence of functions over one input to produce a sequence of results of each function to that input, e.g.
Of course I can't use circumfix brackets as operator name, so let's call it constr:
which returns correctly 3. However, as integer division takes place, it would be better to make that
giving the correct result 2.5. However, the auxiliary definition for dlength cannot be inlined into the definition of mean — so this needs more work.. But this version, that maps double first, works:
One more experiment, just to get the feel:
which gives 5.0. Compared to an RPN language, hypot would be
which is shorter and simpler, but meddles more directly with the stack.
An important functional form is the conditional, which at Backus looks like
meaning, translated to Tcl,
Let's try that, rewritten Polish-ly to:
Reusable functional components[edit]
Say you want to make a multiplication table for an elementary school kid near you. Easily done in a few lines of Tcl code:
The code does not directly puts its results, but returns them as a string — you might want to do other things with it, e.g. save it to a file for printing. Testing:
Or print the result directly from wish:
Here's a different way to do it à la functional programming:
The body is nice and short, but consists of all unfamiliar commands. They are however better reusable than the multable proc above. The first formats a matrix (a list of lists to Tcl) with newlines and aligned columns for better display:
Short again, and slightly cryptic, as is the 'outer product' routine, which takes a function f and two vectors, and produces a matrix where f was applied to every pair of a x b — in APL they had special compound operators for this job, in this case '°.x':
Again, lmap (the collecting foreach) figures prominently, so here it is in all its simplicity:
With these parts in place, we can see that multable2 works as we want:
So why write six procedures, where one did the job already? A matter of style and taste, in a way — multable is 10 LOC and depends on nothing but Tcl, which is good; multable2 describes quite concisely what it does, and builds on a few other procs that are highly reusable.
Should you need a unit matrix (where the main diagonal is 1, and the rest is 0), just call outProd with a different function (equality, ):
which just requires expr's equality to be exposed too:
One of the fascinations of functional programming is that one can do the job in a simple and clear way (typically a one-liner), while using a collection of reusable building-blocks like lmap and iota. And formatMatrix and outProd are so general that one might include them in some library, while the task of producing a multiplication table may not come up any more for a long time..
Modelling an RPN language[edit]
Tcl follows strictly the Polish notation, where an operator or function always precedes its arguments. It is however easy to build an interpreter for a language in Reverse Polish Notation (RPN) like Forth, Postscript, or Joy, and experiment with it.
The 'runtime engine' is just called 'r' (not to be confused with the R language), and it boils down to a three-way switch done for each word, in eleven lines of code:
- 'tcl' evaluates the top of stack as a Tcl script
- known words in the
::C
array are recursively evaluated in 'r' - other words are just pushed
Joy's rich quoting for types ([list], {set}, 'string', 'char) conflict with the Tcl parser, so lists in 'r' are {braced} if their length isn't 1, and (parenthesized) if it is — but the word shall not be evaluated now. This looks better to me than /slashing as in Postscript.
As everything is a string, and to Tcl 'a' is {a} is a , Joy's polymorphy has to be made explicit. I added converters between characters and integers, and between strings and lists (see the dictionary below). For Joy's sets I haven't bothered yet — they are restricted to the domain 0.31, probably implemented with bits in a 32-bit word.
Far as this is from Joy, it was mostly triggered by the examples in Manfred von Thun's papers, so I tongue-in-cheek still call it 'Pocket Joy' — it was for me, at last, on the iPaq.. The test suite at end should give many examples of what one can do in 'r'. }
# That's it. Stack (list) and Command array are global variables:
#-- A tiny switchable debugger:
Definitions are in Forth style — ':' as initial word, as they look much more compact than Joy's DEFINE n args;
expr functionality is exposed for binary operators and one-arg functions:
Helper functions written in Tcl:
Tacit programming[edit]
The J programming language is the 'blessed successor' to APL, where 'every function is an infix or prefix operator', x?y
(dyadic) or ?y
(monadic), for ?
being any pre- or user-defined function).
'Tacit programming' (tacit: implied; indicated by necessary connotation though not expressed directly) is one of the styles possible in J, and means coding by combining functions, without reference to argument names. This idea may have been first brought up in Functional programming (Backus 1977), if not in Forth and Joy, and it's an interesting simplification compared to the lambda calculus.
For instance, here's a breathtakingly short J program to compute the mean of a list of numbers:
Let's chew this, byte by byte :)
Only implicitly present is a powerful function combinator called 'fork'. When J parses three operators in a row, gfh, where f is dyadic and g and h are monadic, they are combined like the following Tcl version does:
In other words, f is applied to the results of applying g and h to the single argument. Note that +/
is considered one operator, which applies the 'adverb' folding to the 'verb' addition (one might well call it 'sum'). When two operands occur together, the 'hook' pattern is implied, which might in Tcl be written as:
As KBK pointed out in the Tcl chatroom, the 'hook' pattern corresponds to Schönfinkel/Curry's S combinator (see Hot Curry and Combinator Engine), while 'fork' is called S' there.
Unlike in earlier years when I was playing APL, this time my aim was not to parse and emulate J in Tcl — I expected hard work for a dubitable gain, and this is a weekend fun project after all. I rather wanted to explore some of these concepts and how to use them in Tcl, so that in slightly more verbose words I could code (and call)
following Backus' FP language with the 'Def' command. So let's get the pieces together. My 'Def' creates an interp alias, which is a good and simple Tcl way to compose partial scripts (the definition, here) with one or more arguments, also known as 'currying':
The second parameter, '=', is for better looks only and evidently never used.
Testing early and often is a virtue, as is documentation — to make the following code snippets clearer, I tuned my little tester for better looks, so that the test cases in the source code also serve as well readable examples — they look like comments but are code! The cute name 'e.g.' was instigated by the fact that in J, 'NB.' is used as comment indicator, both being well known Latin abbreviations:
Again, the '->
' argument is for eye-candy only — but it feels better to me at least. See the examples soon to come.
For recursive functions and other arithmetics, func makes better reading, by accepting expr language in the body:
We'll use this to turn expr's infix operators into dyadic functions, plus the 'slashdot' operator that makes division always return a real number, hence the dot :
For 'fold', this time I devised a recursive version:
Tacit enough (one might have picked fancier names like +/ for 'sum' and # as alias for llength), but in principle it is equivalent to the J version, and doesn't name a single argument. Also, the use of llength demonstrates that any good old Tcl command can go in here, not just the artificial Tacit world that I'm just creating..
Crack wifi password apk no root. WiFi Analyzer. Arpspoof.
In the next step, I want to reimplement the 'median' function, which for a sorted list returns the central element if its length is odd, or the mean of the two elements adjacent to the (virtual) center for even length. In J, it looks like this:
Kodak camera download to computer. It will then be seen by Windows as a removable drive that can be opened by double clicking on the icon in the 'My Computer' window.As far as the camera itself, does it have an SD card in it that the pictures are saved to? It just means you won't get any updates from Kodak.The flash drives you should be able to simply plug into a USB port and Windows should automatically install the drivers for the USB device.
which may better explain why I wouldn't want to code in J :^) J has ASCIIfied the zoo of APL strange character operators, at the cost of using braces and brackets as operators too, without regard for balancing, and extending them with dots and colons, so e.g.
J code sometimes really looks like an accident in a keyboard factory.. I won't go into all details of the above code, just some:
(<.,>.) is building a list of the floor and the ceiling of its single argument, the comma being the concatenation operator here, comparable to Backus' 'construction' or Joy's cleave. The pattern
is a kind of conditional in J, which could in Tcl be written
but my variant of the median algorithm doesn't need a conditional — for lists of odd length it just uses the central index twice, which is idempotent for 'mean', even if a tad slower.
J's 'from' operator {
takes zero or more elements from a list, possibly repeatedly. For porting this, lmap is a good helper, even though not strictly functional:
We furtheron borrow some more content from expr:
We'll need functional composition, and here's a recursive de-luxe version that takes zero or more functions, hence the name o*
:
Evidently, identity as could be written
is the neutral element of variadic functional composition, when called with no functions at all.
If composite functions like 'fork' are arguments to o*, we'd better let unknown know that we want auto-expansion of first word:
Also, we need a numeric sort that's good for integers as well as reals ('Def' serves for all kinds of aliases, not just combinations of functions):
As this file gets tacitly sourced, I am pretty confident that I've reached my goal for this weekend — even though my median doesn't remotely look like the J version: it is as 'wordy' as Tcl usually is. But the admittedly still very trivial challenge was met in truly function-level style, concerning the definitions of median, center and mean — no variable left behind. And that is one, and not the worst, Tcl way of Tacit programming..
Vector arithmetics[edit]
APL and J (see Tacit programming) have the feature that arithmetics can be done with vectors and arrays as well as scalar numbers, in the varieties (for any operator @):
- scalar @ scalar → scalar (like expr does)
- vector @ scalar → vector
- scalar @ vector → vector
- vector @ vector → vector (all of same dimensions, element-wise)
Here's experiments how to do this in Tcl. First lmap is a collecting foreach — it maps the specified body over a list:
The following generic wrapper takes one binary operator (could be any suitable function) and two arguments, which may be scalars, vectors, or even matrices (lists of lists), as it recurses as often as needed. Note that as my lmap above only takes one list, the two-list case had to be made explicit with foreach.
Tests are done with this minimal 'framework':
Scalar + Scalar
Scalar + Vector
Vector / Scalar
Vector + Vector
Matrix * Scalar
Multiplying a 3x3 matrix with another:
The dot product of two vectors is a scalar. That's easily had too, given a sum function:
should result in 11 (= (1*3)+(2*4)).
Here's a little application for this: a vector factorizer, that produces the list of divisors for a given integer. For this we again need a 1-based integer range generator:
At this point, a number is prime if the sum of the latest vector is 2. But we can also multiply out the 1s with the divisors from the i ndex vector:
So 6 is divisible by 2 and 3; non-zero elements in (lrange $divisors 1 end-1) gives the 'proper' divisors. And three nested calls to vec are sufficient to produce the divisors list :)
Just for comparison, here's how it looks in J:
Integers as Boolean functions[edit]
Boolean functions, in which arguments and result are in the domain {true, false}, or {1, 0} as expr has it, and operators are e.g. {AND, OR, NOT} resp. {&&, , !}, can be represented by their truth table, which for example for {$a && $b} looks like:
As all but the last column just enumerate all possible combinations of the arguments, first column least-significant, the full representation of a&&b is the last column, a sequence of 0s and 1s which can be seen as binary integer, reading from bottom up: 1 0 0 0 8
. So 8 is the associated integer of a&&b
, but not only of this — we get the same integer for !(!a !b)
, but then again, these functions are equivalent.
To try this in Tcl, here's a truth table generator that I borrowed from a little proving engine, but without the lsort used there — the order of cases delivered makes best sense when the first bit is least significant: }
Now we can write n(f), which, given a Boolean function of one or more arguments, returns its characteristic number, by iterating over all cases in the truth table, and setting a bit where appropriate:
Experimenting:
So the characteristic integer is not the same as the Goedel number of a function, which would encode the structure of operators used there.
Getting more daring, let's try a distributive law:
Daring more: what if we postulate the equivalence?
Without proof, I just claim that every function of n arguments whose characteristic integer is 2^(2^n)
— 1 is a tautology (or a true statement — all bits are 1). Conversely, postulating non-equivalence turns out to be false in all cases, hence a contradiction:
So again, we have a little proving engine, and simpler than last time.
In the opposite direction, we can call a Boolean function by its number and provide one or more arguments — if we give more than the function can make sense of, non-false excess arguments lead to constant falsity, as the integer can be considered zero-extended:
Trying again, starting at OR (14):
So f(n) 14 indeed behaves like the OR function — little surprise, as its truth table (the results of the four calls), read bottom-up, 1110, is decimal 14 (8 + 4 + 2). Another test, inequality:
Trying to call 14 (OR) with more than two args:
The constant 0 result is a subtle indication that we did something wrong :)
Implication (if a then b, a -> b
) can in expr be expressed as $a <= $b
— just note that the 'arrow' seems to point the wrong way. Let's try to prove 'Modus Barbara' — 'if a implies b and b implies c, then a implies c':
With less abstract variable names, one might as well write
But this has been verified long ago, by Socrates' death :^)
Let unknown know[edit]
To extend Tcl, i.e. to make it understand and do things that before raised an error, the easiest way is to write a proc. Any proc must however be called in compliance with Tcl's fundamental syntax: first word is the command name, then the arguments separated by whitespace. Deeper changes are possible with the unknown command, which is called if a command name is, well, unknown, and in the standard version tries to call executables, to auto-load scripts, or do other helpful things (see the file init.tcl
). One could edit that file (not recommended), or rename unknown to something else and provide one's own unknown handler, that falls through to the original proc if unsuccessful, as shown in Radical language modification.
Here is a simpler way that allows to extend unknown 'in place' and incrementally: We let unknown 'know' what action it shall take under what conditions. The know command is called with a condition that should result in an integer when given to expr, and a body that will be executed if cond results in nonzero, returning the last result if not terminated with an explicit return. In both cond and body you may use the variable args that holds the problem command unknown was invoked with.
The extending code what is prepended to the previous unknown body. This means that subsequent calls to know stack up, last condition being tried first, so if you have several conditions that fire on the same input, let them be 'known' from generic to specific.
Here's a little debugging helper, to find out why 'know' conditions don't fire:
Now testing what new magic this handful of code allows us to do. This simple example invokes expr if the 'command' is digestible for it:
If we had no if[edit]
Imagine the makers of Tcl had failed to provide the if command. All the rest would be there. Doing more steps towards functional programming, I came upon this interesting problem, and will shortly demonstrate that it can easily be solved in pure-Tcl.
We still have the canonical truth values 0 and 1 as returned from expr with a comparison operator. The idea in the paper I read is to use them as names of very simple functions:
Glory be to the 11 rules of man Tcl that this is already a crude though sufficient reimplementation:
The bracketed expr command is evaluated first, returning 0 or 1 as result of the comparison. This result (0 or 1) is substituted for the first word of this command. The other words (arguments) are not substituted because they're curly-braced, so either 0 or 1 is invoked, and does its simple job. (I used uplevel instead of eval to keep all side effects in caller's scope). Formally, what happened to the bracketed call is that it went through 'applicative order' evaluation (i.e., do it now), while the braced commands wait for 'normal order' evaluation (i.e., do when needed, maybe never — the need is expressed through eval/upvar or similar commands).
Though slick at first sight, we actually have to type more. As a second step, we create the If command that wraps the expr invocation:
This again passes impromptu tests, and adds the feature that any non-zero value counts as true and returns 1 — if we neglect the other syntactic options of if, especially the elseif chaining. However, this is no fundamental problem — consider that
can be rewritten as
so the two-way If is about as mighty as the real thing, give or take a few braces and redundant keywords (then, else).
Luckily we have an if in Tcl (and it certainly fares better in byte-code compilation), but on leisurely evenings it's not the microseconds that count (for me at least) — it's rather reading on the most surprising (or fundamental) ideas, and demonstrating how easily Tcl can bring them to life..
Brute force meets Goedel[edit]
Never afraid of anything (as long as everything is a string), a discussion in the Tcl chatroom brought me to try the following: let the computer write ('discover') its own software, only given specifications of input and output. In truly brute force, up to half a million programs are automatically written and (a suitable subset of them) tested to find the one that passes the tests.
To make things easier, this flavor of 'software' is in a very simple RPN language similar to, but much smaller than, the one presented in Playing bytecode: stack-oriented like Forth, each operation being one byte (ASCII char) wide, so we don't even need whitespace in between. Arguments are pushed on the stack, and the result of the 'software', the stack at end, is returned. For example, in
execution of the script '++' should sum its three arguments (1+(2+3)), and return 6.
Here's the 'bytecode engine' (ebc: execute byte code), which retrieves the implementations of bytecodes from the global array cmd:
Let's now populate the bytecode collection. The set of all defined bytecodes will be the alphabet of this little RPN language. It may be interesting to note that this language has truly minimal syntax — the only rule is: each script ('word') composed of any number of bytecodes is well-formed. It just remains to check whether it does what we want.
Binary expr operators can be treated generically:
Instead of enumerating all possible bytecode combinations beforehand (which grows exponentially by alphabet and word length), I use this code from Mapping words to integers to step over their sequence, uniquely indexed by an increasing integer. This is something like the Goedel number of the corresponding code. Note that with this mapping, all valid programs (bytecode sequences) correspond to one unique non-negative integer, and longer programs have higher integers associated:
Now out for discovery! The toplevel proc takes a paired list of inputs and expected output. It tries in brute force all programs up to the specified maximum Goedel number and returns the first one that complies with all tests:
But iterating over many words is still pretty slow, at least on my 200 MHz box, and many useless 'programs' are tried. For instance, if the test has two inputs and wants one output, the stack balance is -1 (one less out than in). This is provided e.g. by one the binary operators +-*/. But the program 'dd' (which just duplicates the top of stack twice) has a stack balance of +2, and hence can never pass the example test. So, on a morning dogwalk, I thought out this strategy:
- measure the stack balance for each bytecode
- iterate once over very many possible programs, computing their stack balance
- partition them (put into distinct subsets) by stack balance
- perform each 'discovery' call only on programs of matching stack balance
Here's this version. Single bytecodes are executed, only to measure their effect on the stack. The balance of longer programs can be computed by just adding the balances of their individual bytecodes:
The partitioning will run for some seconds (depending on nmax — I tried with several ten thousand), but it's needed only once. The size of partitions is further reduced by excluding programs which contain redundant code, that will have no effect, like swapping the stack twice, or swapping before an addition or multiplication. A program without such extravaganzas is shorter and yet does the same job, so it will have been tested earlier anyway.
The discoverer, Second Edition, determines the stack balance of the first text, and tests only those programs of the same partition:
But now for the trying. The partitioning helps very much in reducing the number of candidates. For the 1000 programs with Goedel numbers 1.1000, it retains only a fraction for each stack balance:
Simple starter — discover the successor function (add one):
Not bad: duplicate the number twice, divide by itself to get the constant 1, and add that to the original number. However, it fails to work if we add the successor of 0 as another test case:
Nothing coming — because zero division made the last test fail. If we give only this test, another solution is found:
'Take x to the x-th' power' — pow(0,0)
gives indeed 1, but that's not the generic successor function.
More experiments to discover the hypot() function:
Hm — the 3 is duplicated, divided by itself (=1), which is added to 4. Try to swap the inputs:
Another dirty trick: get square root of 4, add to 3 — presto, 5. The correct hypot()
function would be
but my program set (nmax=30000) ends at 5-byte codes, so even by giving another test to force discovery of the real thing, it would never reach a 7-byte code. OK, I bite the bullet, set nmax to 500000, wait 5 minutes for the partitioning, and then:
Hm. cheap trick again — it was discovered that the solution is just the successor of the second argument. Like in real life, test cases have to be carefully chosen. So I tried with another a^2+b^2=c^2 set, and HEUREKA! (after 286 seconds):
After partitioning, 54005 programs had the -1 stack balance, and the correct result was on position 48393 in that list..
And finally, with the half-million set of programs, here's a solution for the successor function too:
'd-' subtracts top of stack from itself, pushing 0; the second duplicate to the 0-th power gives 1, which is added to the original argument. After some head-scratching, I find it plausible, and possibly it is even the simplest possible solution, given the poorness of this RPN language.
Lessons learned:
- Brute force is simple, but may demand very much patience (or faster hardware)
- The sky, not the skull is the limit what all we can do with Tcl :)
Object orientation[edit]
OO (Object Orientation) is a style in programming languages popular since Smalltalk, and especially C++, Java, etc. For Tcl, there have been several OO extensions/frameworks (incr Tcl, XOTcl, stooop, Snit to name a few) in different flavors, but none can be considered as standard followed by a majority of users. However, most of these share the features
- classes can be defined, with variables and methods
- objects are created as instances of a class
- objects are called with messages to perform a method
Of course, there are some who say: 'Advocating object-orientated programming is like advocating pants-oriented clothing: it covers your behind, but often doesn't fit best' ..
Bare-bones OO[edit]
Quite a bunch of what is called OO can be done in pure Tcl without a 'framework', only that the code might look clumsy and distracting. Just choose how to implement instance variables:
- in global variables or namespaces
- or just as parts of a transparent value, with TOOT
The task of frameworks, be they written in Tcl or C, is just to hide away gorey details of the implementation — in other words, sugar it :) On the other hand, one understands a clockwork best when it's outside the clock, and all parts are visible — so to get a good understanding of OO, it might be most instructive to look at a simple implementation.
As an example, here's a Stack class with push and pop methods, and an instance variable s — a list that holds the stack's contents:
The interp alias makes sure that calling the object's name, like
is understood and rerouted as a call to the dispatcher below:
The dispatcher imports the object's variables (only s here) into local scope, and then switches on the method name:
A framework would just have to make sure that the above code is functionally equivalent to, e.g. (in a fantasy OO style):
which, I admit, reads definitely better. But bare-bones has its advantages too: in order to see how a clockwork works, you'd better have all parts visible :)
Now testing in an interactive tclsh:
TOOT: transparent OO for Tcl[edit]
Transparent OO for Tcl, or TOOT for short, is a very amazing combination of Tcl's concept of transparent values, and the power of OO concepts. In TOOT, the values of objects are represented as a list of length 3: the class name (so much for 'runtime type information' :-), a ' ' as separator and indicator, and the values of the object, e.g.
Here's my little take on toot in a nutshell. Classes in C++ started out as structs, so I take a minimal struct as example, with generic get and set methods. We will export the get and set methods:
The two generic accessor functions will be inherited by 'struct's
The set method does not change the instance (it couldn't, as it sees it only 'by value') — it just returns the new composite toot object, for the caller to do with it what he wants:
For the whole thing to work, here's a simple overloading of unknown — see 'Let unknown know'. It augments the current unknown code, at the top, with a handler for
patterns, which converts it to the form
and returns the result of calling that form:
Now to use it (I admit the code is no easy reading):
Testing: we define a 'struct' named foo, with two obvious members:
Create an instance as pure string value:
Modify part of the foo, and assign it to another variale:
Struct-specific methods can be just procs in the right namespace. The first and second arguments are the class (disregarded here, as the dash shows) and the value, the rest is up to the coder. This silly example demonstrates member access and some string manipulation:
A little deterministic Turing machine[edit]
At university, I never learned much about Turing machines. Only decades later, a hint in the Tcl chatroom pointed me to http://csc.smsu.edu/~shade/333/project.txt , an assignment to implement a Deterministic Turing Machine (i.e. one with at most one rule per state and input character), which gives clear instructions and two test cases for input and output, so I decided to try my hand in Tcl.
Rules in this little challenge are of the form a bcD e, where
- a is the state in which they can be applied
- b is the character that must be read from tape if this rule is to apply
- c is the character to write to the tape
- D is the direction to move the tape after writing (R(ight) or L(eft))
- e is the state to transition to after the rule was applied
Here's my naive implementation, which takes the tape just as the string it initially is. I only had to take care that when moving beyond its ends, I had to attach a space (written as _) on that end, and adjust the position pointer when at the beginning. Rules are also taken as strings, whose parts can easily be extracted with string index — as it's used so often here, I alias it to @. }
Test data from http://csc.smsu.edu/~shade/333/project.txt
Testing:
reports the results as wanted in the paper, on stdout:
Streams[edit]
Streams are a powerful concept in (not only functional) programming. In SICP chapter 3.5, streams are introduced as data structures characterized as 'delayed lists', whose elements are produced and returned only on demand (deferred evaluation). This way, a stream can promise to be a potentially endless source of data, while taking only finite time to process and deliver what's really wanted. Other streams may provide a finite but very large number of elements, which would be impractical to process in one go. In Tcl, the two ways of reading a file are a good example:
- read
$fp
returns the whole contents, which then can be processed; - while
{[gets $fp line]>-1} {..}
reads line by line, interleaved with processing
The second construct may be less efficient, but is robust for gigabyte-sized files. A simpler example is pipes in Unix/DOS (use TYPE for cat there):
where the 'cat' delivers lines of the file as long as 'more' will take them, and waits otherwise (after all, stdin and stdout are just streams..). Such process chains can be emulated in Tcl with the following rules:
A stream is modelled here as a procedure that returns one stream item on each call. The special item ' (the empty string) indicates that the stream is exhausted. Streams are interesting if they don't deliver the same result on every call, which requires them to maintain state between calls e.g. in static variables (here implemented with the fancy remember proc) — examples are intgen that delivers ever increasing integers, or gets $fp
where the file pointer advances at each call, so potentially all lines of the file are returned over time.
A filter takes one or more streams, and possibly other arguments, and reacts like a stream too. Hence, streams can be (and typically are) nested for processing purposes. If a filter meets end-of-stream, it should return that too. Filters may be characterized as 'selectors' (who may return only part of their input, like 'grep') and/or 'appliers' who call a command on their input and return the result. Note that on infinite streams, selectors may never return, e.g. if you want the second even prime.. Streams in general should not be written in brackets (then the Tcl parser would eagerly evaluate them before evaluating the command), but braced, and stream consumers eval the stream at their discretion.
Before we start, a word of warning: maintaining state of a procedure is done with default arguments that may be rewritten. To prevent bugs from procedures whose defaults have changed, I've come up with the following simple architecture — procs with static variables are registered as 'sproc's, which remembers the initial defaults, and with a reset command you can restore the initial values for one or all sprocs:
Now let's start with a simple stream source, 'cat', which as a wrapper for gets returns the lines of a file one by one until exhausted (EOF), in which case an empty string is returned (this requires that empty lines in the files, which would look similarly, are represented as a single blank):
Usage example:
which crudely emulates the Unix/DOS pipe mentioned above (you'll have to hit ↵ Enter after every line, and q↵ Enter to quit.). more is the most important 'end-user' of streams, especially if they are infinite. Note however that you need stdin for this implementation, which excludes wishes on Windows (one might easily write a UI-more that reacts on mouse clicks, though).
A more generic filter takes a condition and a stream, and on each call returns an element of the input stream where the condition holds — if ever one comes along:
Friends of syntactic sugar might prefer shell style:
and guess what, we can have that in Tcl too (and not in Scheme !-), by writing a proc, that also resets all sprocs, with the fancy name '$' (in Unix, this could be the shell prompt that you don't type, but for Tcl we always have to have the command name as first word):
To prove that we haven't cheated by using exec, let's introduce a line counter filter:
This can be added to filter chains, to count lines in the original file, or only the results from grep:
We further observe that more has a similar structure to filter, so we could also rewrite it in terms of that:
The sort filter is unusual in that it consumes its whole (finite!) input, sorts it, and acts as a stream source on the output:
Now for the example in SICP: find the second prime in the interval between 10000 and 1000000.
Another idea from SICP is a 'smoothing' function, that averages each pair of values from the input stream. For this we need to introduce a short-term memory also in the filter:
which, tested on a n-element stream, returns n-1 averages:
Yet another challenge was to produce an infinite stream of pairs {i j}
of positive integers, i <= j
, ordered by their sum, so that more pairs produces consecutively
Tcl Eval Exec Example
Here's my solution which does that:
Ramanujan numbers: The pairs generator can be used to find Ramanujan numbers, which can be represented as the sum of two integer cubes in more than one way. Here I use a global array for recording results:
Tcl Catch Exec Example
delivers in hardly noticeable time the R. numbers 1729, 4104, 13832.. Or, how's this infinite Fibonacchi number generator, which on more fibo produces all the F.numbers (0,1,1,2,3,5,8,13,21..) you might want?
Discussion: With the above code, it was possible to reproduce quite some behavior of streams as documented in SICP, not as data structures but with Tcl procs (though procs are data too, in some sense..). What's missing is the capability to randomly address parts of a stream, as is possible in Scheme (and of course their claim to do without assignment, or mutable data..) Tcl lists just don't follow LISP's CAR/CDR model (though KBK demonstrated in Tcl and LISP that this structure can be emulated, also with procs), but rather C's flat *TclObject[]
style. The absence of lexical scoping also led to constructs like sproc/reset, which stop a gap but aren't exactly elegant — but Tcl's clear line between either local or global variables allows something like closures only by rewriting default arguments like done in remember (or like in Python).
Don't take this as a fundamental critique of Tcl, though — its underlying model is far more simple and elegant than LISP's (what with 'special forms', 'reader macros'..), and yet powerful enough to do just about everything possible..
Playing with Laws of Form[edit]
After many years, I re-read
which is sort of a mathematical thriller, if you will. Bertrand Russell commented that the author 'has revealed a new calculus, of great power and simplicity' (somehow sounds like Tcl ;^). In a very radical simplification, a whole world is built up by two operators, juxtaposition without visible symbol (which could be likened to or) and a overbar-hook (with the meaning of not) that I can't type here — it's a horizontal stroke over zero or more operands, continued at right by a vertical stroke going down to the baseline. In these Tcl experiments, I use ' for ' and angle-brackets <> for the overbar-hook (with zero or more operands in between).
One point that was new for me is that the distinction between operators and operands is not cast in stone. Especially constants (like 'true' and 'false' in Boolean algebras) can be equally well expressed as neutral elements of operators, if these are considered variadic, and having zero arguments. This makes sense, even in Tcl, where one might implement them as
which, when called with no arguments, return 1 or 0, respectively. So [or] 0 and [and] 1. In Spencer-Brown's terms, [] (which is ', the empty string with no arguments) is false ('nil' in LISP), and [<>] is the negation of ', i.e. true. His two axioms are:
and these can be implemented by a string map that is repeated as long as it makes any difference (sort of a trampoline) to simplify any expression consisting only of operators and constants (which are operators with zero arguments):
Testing:
which maps <><> to <>, <<>> to ', and returns <> for 'true'.
In the algebra introduced here, with a variable 'a', no further simplification was so far possible. Let's change that — 'a' can have only two values, '
or <>
, so we might try to solve the expression by assuming all possible values for a, and see if they differ. If they don't, we have found a fact that isn't dependent on the variable's value, and the resulting constant is returned, otherwise the unsolved expression:
Tcl Exec Example Sample
with a helper function in that reports containment of an element in a list:
Testing:
which means, in expr terms, {(!$a $a) 1}, for all values of a. In other words, a tautology. All of Boole's algebra can be expressed in this calculus:
We can test it with the classic 'ex contradictione quodlibet' (ECQ) example — 'if p and not p, then q' for any q:
So formally, q is true, whatever it is :) If this sounds overly theoretic, here's a tricky practical example in puzzle solving, Lewis Carroll's last sorites (pp. 123f.). The task is to conclude something from the following premises:
- The only animals in this house are cats
- Every animal is suitable for a pet, that loves to gaze at the moon
- When I detest an animal, I avoid it
- No animals are carnivorous, unless they prowl at night
- No cat fail to kill mice
- No animals ever take to me, except what are in this house
- Kangaroos are not suitable for pets
- None but carnivora kill mice
- I detest animals that do not take to me
- Animals that prowl at night always love to gaze at the moon
Tcl Exec Example Interview
These are encoded to the following one-letter predicates:
- a
- avoided by me
- c
- cat
- d
- detested by me
- h
- house, in this
- k
- kill mice
- m
- moon, love to gaze at
- n
- night, prowl at
- p
- pet, suitable for
- r
- (kanga)roo
- t
- take to me
- v
- (carni)vorous
So the problem set can be restated, in Spencer-Brown's terms, as
I first don't understand why all premises can be just written in a row, which amounts to implicit 'or', but it seems to work out well. As we've seen that <x>x
is true for any x
, we can cancel out such tautologies. For this, we reformat the expression to a list of values of type x
or !x
, that is in turn dumped into a local array for existence checking. And when both x
and !x
exist, they are removed from the expression:
which results in:
- a <r>
translated back: 'I avoid it, or it's not a kangaroo', or, reordered, '<r> a' which by (4) means, 'All kangaroos are avoided by me'.
A little IRC chat bot[edit]
Here is a simple example of a 'chat bot' — a program that listens on an IRC chatroom, and sometimes also says something, according to its programming. The following script
- connects to channel #tcl on IRC
- listens to what is said
- if someone mentions its name (minibot), tries to parse the message and answer.
Examples from the chat: