aboutsummaryrefslogtreecommitdiffstats
path: root/other/scm.py
blob: 5d0d4d51f3f7dcfa88033aee3555f6b9c76a5626 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
r"""nodoctest [[remove the nodoctest, so doctests will run]]
Interface Template

[[Describe the math software you are interfacing with here.]]

[[Replace this by something relevant to your system.]]
    Type \code{gp.[tab]} for a list of all the functions available
    from your Gp install.  Type \code{gp.[tab]?} for Gp's
    help about a given function.  Type \code{gp(...)} to create
    a new Gp object, and \code{gp.eval(...)} to run a string
    using Gp (and get the result back as a string).


EXAMPLES:

[[Go through a standard tutorial for your software package
and do it via your SAGE interface.]]
    
AUTHORS:
    -- William Stein (template)
"""

##########################################################################
#
#       Copyright (C) 2006 William Stein <wstein@gmail.com>
#
#  Distributed under the terms of the GNU General Public License (GPL)
#
#                  http://www.gnu.org/licenses/
#
##########################################################################

from __future__ import with_statement
from expect import Expect, ExpectElement, ExpectFunction, FunctionElement, gc_disabled
from sage.misc.misc import verbose

class SCM(Expect):
    """
    [[Some basic help about your system.  This is what
      will be displayed when somebody write scm?.]]
    """
    def __init__(self,
                 maxread=100000, script_subdirectory=None,
                 logfile=None,
                 server=None,
                 server_tmpdir=None):
        Expect.__init__(self,

                        # The capitalized version of this is used for printing.
                        name = 'SCM Scheme',

                        # This is regexp of the input prompt.  If you can change
                        # it to be very obfuscated that would be better.   Even
                        # better is to use sequence numbers. 
                        prompt = '> ',

                        # This is the command that starts up your program
                        command = "scm -i",

                        maxread = maxread,

                        server=server,
                        server_tmpdir=server_tmpdir,

                        script_subdirectory = script_subdirectory,

                        # If this is true, then whenever the user presses Control-C to
                        # interrupt a calculation, the whole interface is restarted. 
                        restart_on_ctrlc = True,

                        # If true, print out a message when starting
                        # up the command when you first send a command
                        # to this interface.
                        verbose_start = True,

                        logfile=logfile,

                        # If an input is longer than this number of characters, then
                        # try to switch to outputing to a file. 
                        eval_using_file_cutoff=1024)
        
        self.__seq = 0

    def chdir(self, dir):
        raise NotImplemented

    def eval(self, code, strip=True, synchronize=False, **kwds):
        """
        For SCM, don't listen for prompt except for the last line
        INPUT:
            code -- text to evaluate
            strip -- bool; whether to strip output prompts, etc.
                     (ignored in the base class).
            **kwds -- All other arguments are passed onto the _eval_line method.
                     An often useful example is reformat=False. 
        """
        if synchronize:
            try:
                self._synchronize()
            except AttributeError:
                pass

        if strip:
            try:
                code = self._strip_prompt(code)
            except AttributeError:
                pass

        if not isinstance(code, basestring):
            raise TypeError, 'input code must be a string.'

        #Remove extra whitespace
        code = code.strip()

        try:
            with gc_disabled():
                
                #return '\n'.join([self._eval_line(L, **kwds) for L in code.split('\n') if L != ''])
                return self._eval_line(code.replace('\n',''), **kwds)
        except KeyboardInterrupt:
            # DO NOT CATCH KeyboardInterrupt, as it is being caught
            # by _eval_line
            # In particular, do NOT call self._keyboard_interrupt()
            raise
        except TypeError, s:
            raise TypeError, 'error evaluating "%s":\n%s'%(code,s)

    def _repr_(self):
        return 'scm Scheme Interpreter'

    def __reduce__(self):
        return reduce_load_scm, tuple([])
    
    def __getattr__(self, attrname):
        if attrname[:1] == "_":
            raise AttributeError
        return SCMFunction(self, attrname)

    def _quit_string(self):
        return '(quite)'
    
    def _read_in_file_command(self, filename):
        raise NotImplementedError        

    def trait_names(self):
        ## [[implement giving a list of all functions and identifiers in the system]]
        raise NotImplementedError        
        
    def read(self, filename):
        # [[implement loading of the contents of filename into the system]]
        raise NotImplementedError        


    def kill(self, var):
        # [[send code that kills the variable with given name in the system.]]
        pass
        
    def console(self):
        # run the console command (defined below).
        scm_console()

    def version(self):
        # run the version command (defined below)
        pass
    
    def _object_class(self):
        return SCMElement

    def _left_list_delim(self):
        raise NotImplementedError

    def _right_list_delim(self):
        raise NotImplementedError

    def _assign_symbol(self):
        raise NotImplementedError

    def _true_symbol(self):
        # return the string rep of truth, i.e., what the system outputs
        # when you type 1==1.
        return '#t'

    def _false_symbol(self):
        # return the string rep of truth, i.e., what the system outputs
        # when you type 1==2.
        return '#f'
        
    def _equality_symbol(self):
        # return the symbol for checking equality, e.g., == or eq. 
        raise NotImplementedError

    def help(self, command):
        # return help on a given command. 
        raise NotImplementedError

    def set(self, var, value):
        """
        Set the variable var to the given value.
        """
        cmd = '(define %s %s)'%(var, value) 
        self.eval(cmd)

    def get(self, var):
        """
        Get the value of the variable var.
        """
        cmd = '%s'%var
        return self.eval(var)

    def function_call(self, function, args=[], kwds={}):
        """
        EXAMPLES:
            sage: maxima.quad_qags(x, x, 0, 1, epsrel=1e-4)
            [0.5,5.5511151231257...E-15,21,0]
            sage: maxima.function_call('quad_qags', [x, x, 0, 1], {'epsrel':'1e-4'})
            [0.5,5.5511151231257...E-15,21,0]
        """
        if function == '':
            raise ValueError, "function name must be nonempty"
        if function[:2] == "__":
            raise AttributeError
        if not isinstance(args, list):
            args = [args]
        for i in range(len(args)):
            if not isinstance(args[i], ExpectElement):
                args[i] = self.new(args[i])
        for key, value in kwds.iteritems():
            kwds[key] = self.new(value)

        return self.new("(%s %s)"%(function, " ".join([s.name() for s in args]+
                                                     ['%s'%(key,value.name()) for key, value in kwds.items()])))


class SCMElement(ExpectElement):
    """
    Describe elements of your system here. 
    """
    def trait_names(self):
        # This is if your system doesn't really have types.  If you have types
        # this function should only return the relevant methods that take self
        # as their first argument. 
        return self.parent().trait_names()

    def __cmp__(self, other):
        P = self.parent()
        if P.eval("(eq? %s %s)"%(self.name(), other.name())) == P._true_symbol():
            return 0
        elif P.eval("(< %s %s)"%(self.name(), other.name())) == P._true_symbol():
            return -1
        elif P.eval("(> %s %s)"%(self.name(), other.name())) == P._true_symbol():
            return 1

        # everything is supposed to be comparable in Python, so we define
        # the comparison thus when no comparable in interfaced system.
        if (hash(self) < hash(other)):
            return -1
        else:
            return 1

    def hasattr(self, attrname):
        """
        Scheme things don't have attributes (unless SOS...)
        """
        raise NotImplementedError

    def attribute(self, attrname):
        """
        Scheme things don't have attributes (unless SOS...)
        """
        raise NotImplementedError

    def __getitem__(self, n):
        """
        Scheme things don't have attributes (unless SOS...)
        """
        raise NotImplementedError

    def bool(self):
        P = self.parent()
        t = P._true_symbol()
        cmd = '%s'%self._name
        return P.eval(cmd) == t

    def __nonzero__(self):
        """
        EXAMPLES:
            sage: bool(scm('#t'))
            True
            sage: bool(scm('#f'))
            False
        """
        P = self.parent()
        t = P._true_symbol()
        cmd = '(zero? %s)'%self._name
        return P.eval(cmd) == t

    def _operation(self, operation, right):
        P = self._check_valid()
        try:
            return P.new('(%s %s %s)'%(operation, self._name, right._name))
        except Exception, msg:
            raise TypeError, msg

    def __pow__(self, n):
        """
        EXAMPLES:
            sage: a = maxima('2')
            sage: a^(3/4)
            2^(3/4)
        """
        P = self._check_valid()
        if not hasattr(n, 'parent') or P is not n.parent():
            n = P(n)
        return self._operation("expt", n)


class SCMFunctionElement(FunctionElement):
    def _sage_doc_(self):
        M = self._obj.parent()
        return M.help(self._name)
        
    
class SCMFunction(ExpectFunction):
    def _sage_doc_(self):
        M = self._parent
        return M.help(self._name)


def is_SCMElement(x):
    return isinstance(x, SCMElement)

# An instance
scm = SCM()

def reduce_load_SCM():
    return scm

import os
def scm_console():
    # This will only spawn local processes
    os.system('scm')

def scm_version():
    """
    EXAMPLES:
        sage: scm.version()
        scm 5e5
        Copyright (C) 1991, 1992, 1993, 1994, 1995, 1996 Free Software Foundation, Inc.
        SCM may be distributed under the terms of the GNU General Public Licence;
        certain other uses are permitted as well. For details, see the file `COPYING',
        which is included in the SCM distribution.
        There is no warranty, to the extent permitted by law.
        This executable was loaded from "/usr/local/bin/scm"
    """
    import subprocess
    p = subprocess.Popen('scm --version', shell=True, stdin=subprocess.PIPE,
                            stdout = subprocess.PIPE, stderr=subprocess.PIPE)
    return AsciiArtString(p.stdout.read())