Monday 27 May 2013

Hamiltonian Cycles on a Square Grid, part 2

The algorithm in my first post on this topic used some of the ideas in  R. Stoyan and V. Strehl: Enumeration of Hamiltonian Circuits in Rectangular Grids. Journal of Combinatorial Mathematics and Combin.Computing 21 (1996), 197-127, but did not employ the construction technique suggested in their paper.

Here is a modified algorithm, with vastly improved performance, using most of the construction method suggested by Stoyan and Strehl.

The algorithm constructs all 1,072 Hamiltonian cycles on a 6 by 6 grid in about 100ms, and all 4,638,576 Hamiltonian cycles on an 8 by 8 grid in about 20 minutes. 

Here, the algorithm runs out of steam, as a 10 by 10 grid has 467,260,456,608 cycles (Sloane A003763)



To construct N by N Hamiltonian cycles, the algorithm builds up  "induced subgraphs" (see diagram at left) of an (N-1) by (N-1) square graph one cell at a time, starting with the top row and working across each row in turn.










The top row is constructed by observing that the corner cells have to be inside the Hamiltonian Cycle, and that no two outside cells can be adjacent.

From then on, cells are added by testing whether a cell can be inside or outside (or both or neither) according to the rule that no 2 by 2 block can be any of these patterns:



A 2 by 2 block $a,b,c,d$ will match one of the four patterns iff $a=d$ and $b=c$




Additional tests check that:
  • no 2 adjacent cells on the perimeter can be outside
  • the total number of inside and outside cells does not exceed   $\frac{N^2-2}{2}$ and $\frac{(N-2)^2}{2}$ respectively
  • After the completion of a row, all inside cells are connected to the row just completed.




Python implementation

Here is the Python code for the algorithm. 

Hamiltonians(N) yields all the Hamiltonian cycles for an N by N grid.


graph(m) constructs a rectangular m by m grid graph. Each node is represented by a number $0..m^2-1$. A dictionary defines the nodes that each node is connected to.

valid(gr,M,grid) determines whether a configuration of outside cells satisfies the conditions described above, by testing each 2 by 2 array of subcells, and by testing that the outside cells are all connected to an outside cell on the perimeter. 

hamiltonian(outside,M) converts a valid configuration of outside cells on an M by M grid to the equivalent Hamiltonian cycle on an M+1 by M+1 grid.

find_inside_connected(graph, maxnode, start, pathset,grid) finds all inside cells connected to the start node.

findHamiltonians(gr, grid,M, x, numoutside ) recursively searches for induced subgraphs

from itertools import combinations as comb
  
def graph(m): # define a rectangular grid graph m by m
  g = { n:set([n+1,n-m,n+m]) & set(xrange(m*m)) for n in xrange(0,m*m,m)}
  g.update( { n:set([n-1,n+1,n-m,n+m]) & set(xrange(m*m))
            for n in xrange(m*m) if 0 < n%m < m-1  })
  g.update({ n:set([n-1,n-m,n+m]) & set(xrange(m*m))
            for n in xrange(m-1,m*m,m)})
  return g

def printgrid(outside,M):
  s="\n"
  for i in xrange(M):
    for j in xrange(M):
      s+= "  " if M*i+j in outside else "* "
    s+="\n"
  print s

def find_inside_connected(graph, maxnode, start, pathset,grid):
  pathset.add(start)
  for node in graph[start]:
    if node < maxnode and grid[node] and node not in pathset:
      find_inside_connected(graph, maxnode, node, pathset, grid)

def find_outside_connected(graph, start, pathset,grid):
  pathset.add(start)
  for node in graph[start]:
    if not(grid[node]) and node not in pathset:
      find_outside_connected(graph, node, pathset,grid)

def valid(gr,M,grid): # check that there are (M-1)^2 / 2 outside cells connected to perimeter
  global perimeter
  outside_connected=set()
  for s in perimeter:
    if not(grid[s]):
      find_outside_connected(gr, s, outside_connected, grid)

  return len(outside_connected)==((M-1)*(M-1))/2

def hamiltonian(outside,M):
  inside = set(range(M*M))-set(outside)
  # convert to an M+1 by M+1 array to trace the Hamiltonian
  converted = set([x+x/M for x in inside])
  N=M+1
  ham=[0,1]
  pos=1
  move=1
  while pos != 0:

    if move==1: # going right, 
      if pos-N in converted: move=-N
      elif pos in converted: move=+1
      else: move=+N  
        
    elif move==N: # going down, 
      if pos in converted: move=1
      elif pos-1 in converted: move=+N
      else: move=-1  

    elif move== -N: # going up, 
      if pos-N-1 in converted: move=-1
      elif pos-N in converted: move=-N
      else: move=1  

    elif move== -1: # going left, 
      if pos-1 in converted: move=N
      elif pos-N-1 in converted: move=-1
      else: move=-N  
        
    else:
      raise Exception("no more cases")
     
    pos+=move  
    ham.append(pos)

  if len(ham) != N*N+1 or len(set(ham)) != N*N:
    print ham
    raise Exception("Invalid Hamiltonian")

  return ham

# powerset of an iterable, up to L elements (adapted from itertools recipes)
from itertools import chain, combinations, product
def powerset(iterable, L=None): 
  if L == None: L = len(iterable)
  s = list(iterable)
  return chain.from_iterable(combinations(s, r) for r in range(L+1))

def findHamiltonians(gr, grid,M, x, numoutside ):
  global MAXOUTSIDE, MAXINSIDE, BOTTOMLEFT, BOTTOMRIGHT

  if x-numoutside > MAXINSIDE:
    return
  if numoutside  > MAXOUTSIDE:
    return
  if x==M*M: # all cells populated, check for a valid configuration
    if valid(gr,M,grid):
      outside = set([i for i in xrange(M*M) if not grid[i]])
      yield hamiltonian(outside,M)
    return

  if x == BOTTOMLEFT: # bottom corners have to be inside
    options=[True]
  elif x==BOTTOMRIGHT: # bottom corners have to be inside
    if grid[x-M-1] and grid[x-1]==grid[x-M]:
      return
    else:
      options=[True]
  elif x > BOTTOMLEFT and not grid[x-1]: # no adjacent outside cells on bottom row
    if grid[x-M-1] and not(grid[x-M]):
      return
    else:
      options=[True]
  elif x%M == 0: # start of a new row

    # check that all inside cells are connected to last completed row
    inside_connected = set(i for i in xrange(x-M,x) if grid[i])
    for s in xrange(x-M,x):
      if grid[s]:
        find_inside_connected(gr, x, s, inside_connected, grid)
    if inside_connected <>  set(i for i in xrange(x) if grid[i]):
      return

    if not(grid[x-M]) : # no adjacent outside cells on left column
      options=[True]
    else:
      options=[True,False]

  #elif x%M == M-1 and not(grid[x-M]) and not(grid[x-1]) and grid[x-M-1] :
  #    return

  else:  # avoid an invalid 2 by 2 configuration   
    if grid[x-1]^grid[x-M]:
      options=[True,False]
    else:
      options = [ not(grid[x-M-1]) ]

  for op in options:
    grid[x]=op
    for f in findHamiltonians(gr,grid,M, x+1, numoutside + (0 if grid[x] else 1)):
      yield f       

perimeter=set()

def Hamiltonians(N):
  global perimeter, MAXOUTSIDE, MAXINSIDE, BOTTOMLEFT, BOTTOMRIGHT
  M=N-1
  MAXOUTSIDE = (M-1)*(M-1)/2
  MAXINSIDE = (M*M+2*M-1)/2
  BOTTOMLEFT = M*(M-1)
  BOTTOMRIGHT = M*M-1
  gr=graph(M)
  noncorners = set(range(M*M))-set((0,M-1,M*(M-1),M*M-1))
  allnodes=set(range(M*M))
  centre = set([x for x in xrange(M*M) if x/M not in (0,M-1) and x%M not in (0,M-1)])
  perimeter = allnodes-centre

  for p in powerset( range(1,M-1), (M-1)/2 ):
    if all( p[i+1] !=p[i]+1 for i in xrange(len(p)-1)):
      grid = [True]*(M*M)
      for i in p:
        grid[i]=False
      for f in findHamiltonians(gr,grid,M,M, sum([1 for x in xrange(0,M) if not(grid[x])]) ):
        yield f

if __name__=="__main__":
  from time import clock
  start= clock()
  for N in (4,6):
    start=clock()
    solutions = [h for h in Hamiltonians(N)]
    interval=clock()-start
    print "N=",N,":", len(solutions),"solutions,",interval, "sec"
    print "N=",N,":", len(set([tuple(x) for x in solutions]))  , "distinct solutions" 

  start=clock()
  counter=0
  for h in Hamiltonians(8):
    counter+=1
    if counter%10000 == 0:
      print counter,"Hamiltonians found,", clock()-start,"sec"
  print counter," Hamiltonians for N=8,", clock()-start, "sec"


No comments:

Post a Comment