Staging
v0.5.1
https://github.com/python/cpython
Raw File
Tip revision: 0ae7228f68d0a1f70aab4d4e6023dfd62f1766be authored by cvs2svn on 13 May 2004, 05:34:43 UTC
This commit was manufactured by cvs2svn to create tag 'r234c1'.
Tip revision: 0ae7228
Vec.py
# A simple vector class


def vec(*v):
    return apply(Vec, v)


class Vec:

    def __init__(self, *v):
        self.v = []
        for x in v:
            self.v.append(x)


    def fromlist(self, v):
        self.v = []
        if type(v) <> type([]):
            raise TypeError
        self.v = v[:]
        return self


    def __repr__(self):
        return 'vec(' + `self.v`[1:-1] + ')'

    def __len__(self):
        return len(self.v)

    def __getitem__(self, i):
        return self.v[i]

    def __add__(a, b):
        # Element-wise addition
        v = []
        for i in range(len(a)):
            v.append(a[i] + b[i])
        return Vec().fromlist(v)

    def __sub__(a, b):
        # Element-wise subtraction
        v = []
        for i in range(len(a)):
            v.append(a[i] - b[i])
        return Vec().fromlist(v)

    def __mul__(self, scalar):
        # Multiply by scalar
        v = []
        for i in range(len(self.v)):
            v.append(self.v[i]*scalar)
        return Vec().fromlist(v)



def test():
    a = vec(1, 2, 3)
    b = vec(3, 2, 1)
    print a
    print b
    print a+b
    print a*3.0

test()
back to top