Exemplo n.º 1
0
def test_group_repr():
    """Groups have a usable repr."""
    grp = Group([
        Docker('py35', image='python:3.5'),
        Docker('py36', image='python:3.6')
    ])
    assert repr(grp) == "Group([Docker('py35'), Docker('py36')])"
Exemplo n.º 2
0
def test_group_reuse():
    """We can re-use a group."""
    grp = Group([
        Docker('py35', image='python:3.5'),
        Docker('py36', image='python:3.6')
    ])
    with grp:
        grp.call(time.time)
        grp.call(time.time)
Exemplo n.º 3
0
        else:
            fmt = '[{host}] {l}'

        for l in result.splitlines():
            print(fmt.format(host=host, color=color, l=l))


if __name__ == '__main__':
    from chopsticks.tunnel import Docker
    from chopsticks.group import Group
    import chopsticks.ioloop

    chopsticks.tunnel.PICKLE_LEVEL = 2

    class Py2Docker(Docker):
        python3 = 'python2'

    group = Group([
        Py2Docker('python2.7', image='python:2.7'),
        Docker('python3.3', image='python:3.3'),
        Docker('python3.4', image='python:3.4'),
        Docker('python3.5', image='python:3.5'),
        Docker('python3.6', image='python:3.6'),
    ])

    try:
        while True:
            dorepl(group)
    finally:
        del group
Exemplo n.º 4
0
def setup_module():
    global tunnel
    tunnel = Docker('unittest-%d' % random.randint(0, 1e9))
Exemplo n.º 5
0
import time
import os.path
from chopsticks.queue import Queue, AsyncResult
from chopsticks.tunnel import Docker, Local
from chopsticks.group import Group, GroupResult


def char_range(start, stop):
    start = ord(start)
    stop = ord(stop) + 1
    return ''.join(chr(c) for c in range(start, stop))


tunnel = None
group = Group([
    Docker('unittest-%d' % random.randint(0, 1e9)),
    Docker('unittest-%d' % random.randint(0, 1e9))
])


def setup_module():
    global tunnel
    tunnel = Docker('unittest-%d' % random.randint(0, 1e9))


def teardown_module():
    global tunnel
    tunnel.close()
    group.close()
    tunnel = None
Exemplo n.º 6
0
 def setUp(self):
     self.docker_name = 'unittest-%d' % random.randint(0, 1e9)
     self.tunnel = Docker(self.docker_name)
Exemplo n.º 7
0
class BasicTest(TestCase):
    def setUp(self):
        self.docker_name = 'unittest-%d' % random.randint(0, 1e9)
        self.tunnel = Docker(self.docker_name)

    def tearDown(self):
        del self.tunnel
        ls = output_lines(['docker', 'ps', '-a'])
        images = []
        for l in ls[1:]:
            ws = l.split()
            images.append(ws[-1])
        assert self.docker_name not in images, \
            "Image %r remained running after test" % self.docker_name

    def test_python_version(self):
        """We can call a function on a remote Docker."""
        ver = self.tunnel.call(python_version)
        self.assertEqual(tuple(ver[:2]), sys.version_info[:2])

    # The GPL is installed to a common path on the Docker
    # images we use
    GPL = '/usr/share/common-licenses/GPL'

    def test_fetch(self):
        """We can fetch a file from a remote Docker."""
        local = tempfile.mktemp()
        res = self.tunnel.fetch(
            remote_path=self.GPL,
            local_path=local
        )
        with open(local, 'rb') as f:
            data = f.read()
        self.assertEqual(res, {
            'local_path': local,
            'remote_path': '/usr/share/common-licenses/GPL',
            'sha1sum': hashlib.sha1(data).hexdigest(),
            'size': len(data)
        })

    def test_put(self):
        """We can copy a file to a remote Docker."""
        res = self.tunnel.put(
            local_path=self.GPL,
            remote_path='/tmp/gpl',
            mode=0o760
        )
        with open(self.GPL, 'rb') as f:
            data = f.read()
        self.assertEqual(res, {
            'remote_path': '/tmp/gpl',
            'sha1sum': hashlib.sha1(data).hexdigest(),
            'size': len(data)
        })
        out = self.tunnel.call(output_lines, ['ls', '-l', '/tmp'])
        for l in out[1:]:
            if 'gpl' in l:
                self.assertRegexpMatches(
                    l,
                    r'^-rwxrw---- 1 root root 35147 \w+ +\d+ \d+:\d+ gpl$'
                )
                return
        else:
            raise AssertionError('File not found in remote listing')

    def test_get_data(self):
        """We can load package data from the host."""
        hash = hash_pkg_data('chopsticks', 'bubble.py')
        remotehash = self.tunnel.call(
            hash_pkg_data, 'chopsticks', 'bubble.py'
        )
        self.assertEqual(
            remotehash,
            hash,
            msg='Failed to load bubble.py from host'
        )
Exemplo n.º 8
0
def test_tunnel_repr():
    """Tunnels have a usable repr."""
    tun = Docker('py36', image='python:3.6')
    assert repr(tun) == "Docker('py36')"
Exemplo n.º 9
0
"""Exercise the chopsticks Docker connectivity."""
import sys
from chopsticks.facts import python_version
from funcs import print_is_function


def hello():
    print >> sys.stderr, "hello"
    return "hello chopsticks"


if __name__ == '__main__':
    from chopsticks.tunnel import Docker
    from chopsticks.group import Group
    group = Group([
        Docker('worker-1'),
        #       Docker('worker-1', image='python:3.4'),
        #        Docker('worker-2', image='python:3.5'),
        #        Docker('worker-3', image='python:3.6'),
    ])

    for host, result in group.call(print_is_function).items():
        print(host, result)
#    for host, python_version in group.call(python_version).items():
#        print('%s Python version:' % host, python_version)
Exemplo n.º 10
0
"""Exercise the chopsticks parallel API."""
from __future__ import print_function
from chopsticks.tunnel import Local, Docker
from chopsticks.group import Group
import chopsticks.facts
import time

group = Group([Local('worker-1'), 'byzantium', 'office', Docker('docker-1')])
for host, t in group.call(time.time).successful():
    print('Time on %s:' % host, t)

print()

for host, addr in group.call(chopsticks.facts.ip).successful():
    print('%s ip:' % host, addr)

print()

for host, ver in group.call(chopsticks.facts.python_version).successful():
    print('%s Python version:' % host, tuple(ver))
Exemplo n.º 11
0
from chopsticks.group import Group
from chopsticks.tunnel import Docker

dck1 = Docker('docker1')
dck2 = Docker('docker2')
grp_a = Group(['host1', 'host2'])
grp_b = Group(['host1', 'host3'])


def test_union():
    """We can calculate the union of two groups."""
    union = grp_a + grp_b
    hostnames = sorted(t.host for t in union.tunnels)
    assert hostnames == ['host1', 'host2', 'host3']


def test_intersection():
    """We can calculate the intersection of two groups."""
    union = grp_a & grp_b
    hostnames = sorted(t.host for t in union.tunnels)
    assert hostnames == ['host1']


def test_difference():
    """We can calculate the difference of two groups."""
    union = grp_a - grp_b
    hostnames = sorted(t.host for t in union.tunnels)
    assert hostnames == ['host2']


def test_symdifference():
Exemplo n.º 12
0
from __future__ import print_function
from chopsticks.tunnel import Tunnel, Docker, Local
from chopsticks.group import Group
from chopsticks.helpers import check_output
from chopsticks.facts import python_version

t = Docker('test-1')
res = t.put('/usr/share/common-licenses/GPL', 'blah', mode=0o755)
print(res)

print(t.call(python_version))

print(t.call(check_output, ['ls', '-l', res['remote_path']]))

g = Group([t, Docker('test-2')])
for host, res in g.put('/usr/share/common-licenses/GPL').iteritems():
    print(host, res)

for host, res in g.call(check_output, ['ls', '-l', '/tmp']).iteritems():
    print(host)
    print(res)
Exemplo n.º 13
0
def ping_docker():
    """Start a docker container and read out its Python version."""
    with Docker('unittest-36', image='python:3.6') as tun:
        return tun.call(python_version)[:2]
Exemplo n.º 14
0
from __future__ import print_function
from chopsticks.tunnel import Tunnel, Docker
from chopsticks.group import Group

t = Tunnel('byzantium')
res = t.fetch('/etc/passwd', 'byzantium-passwd')
print(res)
print(open(res['local_path']).read())

del t

g = Group(['byzantium', 'office', Docker('docker-1')])
for host, res in g.fetch('/etc/passwd',
                         local_path='fetches/passwd-{host}').successful():
    print(host, res)
    print(open(res['local_path']).read())