Created
December 5, 2012 10:04
-
-
Save leif/4214440 to your computer and use it in GitHub Desktop.
spiral matrix walk
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#!/bin/python | |
""" | |
>>> list(unrollSpiral( [[ 1, 2 ], | |
... [ 3, 4 ], | |
... [ 5, 6 ]])) | |
[1, 2, 4, 6, 5, 3] | |
>>> list(unrollSpiral( [[ 1, 2, 3], | |
... [ 4, 5, 6]])) | |
[1, 2, 3, 6, 5, 4] | |
>>> list(unrollSpiral( [[ 1, 2, 3], | |
... [ 4, 5, 6], | |
... [ 7, 8, 9]])) | |
[1, 2, 3, 6, 9, 8, 7, 4, 5] | |
>>> list(unrollSpiral( [[ 1, 2, 3, 4], | |
... [ 5, 6, 7, 8], | |
... [ 9, 10, 11, 12], | |
... [ 13, 14, 15, 16]])) | |
[1, 2, 3, 4, 8, 12, 16, 15, 14, 13, 9, 5, 6, 7, 11, 10] | |
>>> list(unrollSpiral( [[ 1, 2, 3, 4, 5 ]])) | |
[1, 2, 3, 4, 5] | |
>>> list(unrollSpiral( [[ 1 ], [ 2 ], [ 3 ], [ 4 ], [ 5 ]])) | |
[1, 2, 3, 4, 5] | |
>>> n = 30 | |
>>> for m,r1,r2 in ( map(list,(m,unrollSpiral(m),unrollSpiral_slow(m))) | |
... for m in ( [ [ x+(y*w) for x in range(w) ] for y in range(h) ] | |
... for w in range(1, n) for h in range(w, n) ) for m in ( m, zip(*m) )): | |
... assert r1==r2, (m,r1,r2) | |
""" | |
def spiral( w, h ): | |
for d in xrange( (min(w,h)+1)/2 ): | |
for x in xrange( d, w-d ): | |
yield x, d | |
for y in xrange( d+1, h-d ): | |
yield w-d-1, y | |
if d != h-d-1: | |
for x in reversed(xrange( d, w-d-1 )): | |
yield x, h-d-1 | |
if d != w-d-1: | |
for y in reversed(xrange( d+1, h-d-1 )): | |
yield d, y | |
def unrollSpiral( m ): | |
for x, y in spiral( len(m[0]), len(m) ): yield m[y][x] | |
def unrollSpiral_slow( m ): | |
"this version takes O(n**2) time and O(n) space instead of O(n) and O(1)" | |
while m: | |
for i in m[0]: yield i | |
m = list(reversed(zip(*m[1:]))) | |
def vis( w, h ): | |
from visual import sphere, scene | |
scene.autocenter=True | |
n = float(w*h) | |
for i, (x, y) in enumerate( spiral( w, h ) ): | |
sphere( x=x-(w/2.0), y=y-(h/2.0), z=i*0.02, color=(1, 1-(i/n), 0), radius=.5 ) | |
if __name__=="__main__": | |
import sys | |
if len(sys.argv) > 1 and sys.argv[1] == "vis": | |
vis( *map(int, sys.argv[2:]) ) | |
else: | |
import doctest | |
print doctest.testmod() |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment