home *** CD-ROM | disk | FTP | other *** search
/ GameStar 2006 January / Gamestar_80_2006-01_dvd.iso / Dema / Civilization4 / data1.cab / Civ4DemoComponent / Assets / Python / CvMapGeneratorUtil.py < prev    next >
Encoding:
Python Source  |  2005-11-09  |  49.7 KB  |  1,292 lines

  1. ## Sid Meier's Civilization 4
  2. ## Copyright Firaxis Games 2005
  3. from CvPythonExtensions import *
  4. import CvUtil
  5. import random
  6. from math import sqrt
  7. import sys
  8.  
  9. """
  10. NOTES ABOUT THE MAP UTILITIES
  11.  
  12. generatePlotTypes(), generateTerrainTypes(), and addFeatures() are mandatory functions for all map scripts.
  13.  
  14. FractalWorld, HintedWorld, and MultilayeredFractal classes are different ways to generatePlotTypes. (Fractal
  15. world is Soren's baby. HintedWorld is Andy's baby. MultilayeredFractal is Bob's baby.) There is no C++ default 
  16. for the plot generation process. Each map script must handle the process on its own, typically by calling 
  17. one of these three classes (or subclassing them).
  18.  
  19. TerrainGenerator is the only primary method for generating terrain types. Call, subclass, or replace it to
  20. set terrain types. FeatureGenerator is the primary method for adding Features to the map.
  21.  
  22. The minor functions at the end are either children of HintedWorld or, in the case of findStartingPlot, an
  23. alternative method to the default process for placing the starting units for each civ.
  24.  
  25. - Bob Thomas    September 23, 2005
  26. """
  27.  
  28. class FractalWorld:
  29.     def __init__(self, fracXExp=CyFractal.FracVals.DEFAULT_FRAC_X_EXP,
  30.                  fracYExp=CyFractal.FracVals.DEFAULT_FRAC_Y_EXP):
  31.         self.gc = CyGlobalContext()
  32.         self.map = self.gc.getMap()
  33.         self.iNumPlotsX = self.map.getGridWidth()
  34.         self.iNumPlotsY = self.map.getGridHeight()
  35.         self.mapRand = self.gc.getGame().getMapRand()
  36.         self.iFlags = self.map.getMapFractalFlags()
  37.         self.plotTypes = [PlotTypes.PLOT_OCEAN] * (self.iNumPlotsX*self.iNumPlotsY)
  38.         self.fracXExp = fracXExp
  39.         self.fracYExp = fracYExp
  40.         self.continentsFrac = CyFractal()
  41.         self.hillsFrac = CyFractal()
  42.         self.peaksFrac = CyFractal()
  43.         # init User Input variances
  44.         self.seaLevelChange = self.gc.getSeaLevelInfo(self.map.getSeaLevel()).getSeaLevelChange()
  45.         self.seaLevelMax = 100
  46.         self.seaLevelMin = 0
  47.         self.hillGroupOneRange = self.gc.getClimateInfo(self.map.getClimate()).getHillRange()
  48.         self.hillGroupOneBase = 25
  49.         self.hillGroupTwoRange = self.gc.getClimateInfo(self.map.getClimate()).getHillRange()
  50.         self.hillGroupTwoBase = 75
  51.         self.peakPercent = self.gc.getClimateInfo(self.map.getClimate()).getPeakPercent()
  52.         self.stripRadius = 15
  53.  
  54.     def checkForOverrideDefaultUserInputVariances(self):
  55.         # Subclass and override this function to customize/alter/nullify 
  56.         # the XML defaults for user selections on Sea Level, Climate, etc.
  57.         return
  58.  
  59.     def initFractal(self, continent_grain = 2, rift_grain = 2, has_center_rift = True, invert_heights = False, polar = False):
  60.         "For no rifts, use rift_grain = -1"
  61.         iFlags = self.iFlags
  62.         if invert_heights:
  63.             iFlags += CyFractal.FracVals.FRAC_INVERT_HEIGHTS
  64.         if polar:
  65.             iFlags += CyFractal.FracVals.FRAC_POLAR
  66.         if rift_grain >= 0:
  67.             self.riftsFrac = CyFractal()
  68.             self.riftsFrac.fracInit(self.iNumPlotsX, self.iNumPlotsY, rift_grain, self.mapRand, iFlags, self.fracXExp, self.fracYExp)
  69.             if has_center_rift:
  70.                 iFlags += CyFractal.FracVals.FRAC_CENTER_RIFT
  71.             self.continentsFrac.fracInitRifts(self.iNumPlotsX, self.iNumPlotsY, continent_grain, self.mapRand, iFlags, self.riftsFrac, self.fracXExp, self.fracYExp)
  72.         else:
  73.             self.continentsFrac.fracInit(self.iNumPlotsX, self.iNumPlotsY, continent_grain, self.mapRand, iFlags, self.fracXExp, self.fracYExp)
  74.  
  75.     def shiftPlotTypes(self):
  76.         stripRadius = self.stripRadius
  77.         best_split_x, best_split_y = 0,0
  78.  
  79.         if self.map.isWrapX():
  80.             best_split_x = self.findBestSplitX(stripRadius)        
  81.         if self.map.isWrapY():
  82.             best_split_y = self.findBestSplitY(stripRadius)        
  83.  
  84.         self.shiftPlotTypesBy(best_split_x, best_split_y)
  85.     
  86.     def shiftPlotTypesBy(self, xshift, yshift):
  87.         if xshift > 0 or yshift > 0:
  88.             iWH = self.iNumPlotsX * self.iNumPlotsY
  89.             buf = self.plotTypes[:]
  90.             for iDestY in range(self.iNumPlotsY):
  91.                 for iDestX in range(self.iNumPlotsX):
  92.                     iDestI = self.iNumPlotsX*iDestY + iDestX
  93.                     iSourceX = iDestX + xshift
  94.                     iSourceY = iDestY + yshift
  95.                     iSourceX %= self.iNumPlotsX
  96.                     iSourceY %= self.iNumPlotsY
  97.  
  98.                     iSourceI = self.iNumPlotsX*iSourceY + iSourceX
  99.                     self.plotTypes[iDestI] = buf[iSourceI]
  100.  
  101.     def findBestSplitY(self, stripRadius):
  102.         stripSize = 2*stripRadius
  103.         if stripSize > self.iNumPlotsX:
  104.             return 0
  105.  
  106.         numPlots = self.iNumPlotsX * self.iNumPlotsY
  107.         stripCenterIndex = stripRadius
  108.         piLandWeights = self.calcWeights(stripRadius)
  109.         
  110.         scores = [0]*self.iNumPlotsY
  111.         for y in range(self.iNumPlotsY):
  112.             landScore = 0
  113.             bFoundLand = False
  114.             for x in range(self.iNumPlotsX):
  115.                 i = y*self.iNumPlotsX + x
  116.                 assert (i >= 0 and i < numPlots)
  117.                 if self.plotTypes[i] == PlotTypes.PLOT_LAND:
  118.                     landScore += 1
  119.                     bFoundLand = True
  120.             if bFoundLand:
  121.                 landScore += 30 # the first land is worth about 10 plots of land
  122.  
  123.             for i in range(stripSize):
  124.                 yy = y + i - stripCenterIndex
  125.                 yy %= self.iNumPlotsY
  126.                 scores[yy] += landScore * piLandWeights[i]
  127.  
  128.         best_split_y, lowest_score = argmin(scores)
  129.         return best_split_y
  130.  
  131.     def findBestSplitX(self, stripRadius):
  132.         stripSize = 2*stripRadius
  133.         if stripSize > self.iNumPlotsX:
  134.             return 0
  135.  
  136.         numPlots = self.iNumPlotsX * self.iNumPlotsY
  137.         stripCenterIndex = stripRadius
  138.         piLandWeights = self.calcWeights(stripRadius)
  139.         
  140.         scores = [0]*self.iNumPlotsX
  141.         for x in range(self.iNumPlotsX):
  142.             landScore = 0
  143.             bFoundLand = False
  144.             for y in range(self.iNumPlotsY):
  145.                 i = y*self.iNumPlotsX + x
  146.                 assert (i >= 0 and i < numPlots)
  147.                 if self.plotTypes[i] == PlotTypes.PLOT_LAND:
  148.                     landScore += 1
  149.                     bFoundLand = True
  150.             if bFoundLand:
  151.                 landScore += 30 # the first land is worth about 10 plots of land
  152.             
  153.             for i in range(stripSize):
  154.                 xx = x + i - stripCenterIndex
  155.                 xx %= self.iNumPlotsX
  156.                 scores[xx] += landScore * piLandWeights[i]
  157.                 
  158.         best_split_x, lowest_score = argmin(scores)
  159.         return best_split_x
  160.  
  161.     def calcWeights(self, stripRadius):
  162.         stripSize = 2*stripRadius
  163.         landWeights = [0]*stripSize
  164.         for i in range(stripSize):
  165.             distFromStart = i+1
  166.             distFromEnd = stripSize-i
  167.             distFromEdge = min(distFromStart, distFromEnd)
  168.             landWeight = distFromEdge
  169.             distFromCenter = stripRadius - distFromEdge
  170.             if distFromCenter <= 1:
  171.                 landWeight *= stripRadius
  172.             if distFromCenter == 0:
  173.                 landWeight *= 2
  174.             landWeights[i] = landWeight
  175.         return landWeights
  176.  
  177.     def generatePlotTypes(self, water_percent=78, shift_plot_types=True, grain_amount=3):
  178.         # Check for changes to User Input variances.
  179.         self.checkForOverrideDefaultUserInputVariances()
  180.         
  181.         self.hillsFrac.fracInit(self.iNumPlotsX, self.iNumPlotsY, grain_amount, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  182.         self.peaksFrac.fracInit(self.iNumPlotsX, self.iNumPlotsY, grain_amount+1, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  183.  
  184.         water_percent += self.seaLevelChange
  185.         water_percent = min(water_percent, self.seaLevelMax)
  186.         water_percent = max(water_percent, self.seaLevelMin)
  187.  
  188.         iWaterThreshold = self.continentsFrac.getHeightFromPercent(water_percent)
  189.         iHillsBottom1 = self.hillsFrac.getHeightFromPercent(max((self.hillGroupOneBase - self.hillGroupOneRange), 0))
  190.         iHillsTop1 = self.hillsFrac.getHeightFromPercent(min((self.hillGroupOneBase + self.hillGroupOneRange), 100))
  191.         iHillsBottom2 = self.hillsFrac.getHeightFromPercent(max((self.hillGroupTwoBase - self.hillGroupTwoRange), 0))
  192.         iHillsTop2 = self.hillsFrac.getHeightFromPercent(min((self.hillGroupTwoBase + self.hillGroupTwoRange), 100))
  193.         iPeakThreshold = self.peaksFrac.getHeightFromPercent(self.peakPercent)
  194.  
  195.         for x in range(self.iNumPlotsX):
  196.             for y in range(self.iNumPlotsY):
  197.                 i = y*self.iNumPlotsX + x
  198.                 val = self.continentsFrac.getHeight(x,y)
  199.                 if val <= iWaterThreshold:
  200.                     self.plotTypes[i] = PlotTypes.PLOT_OCEAN
  201.                 else:
  202.                     hillVal = self.hillsFrac.getHeight(x,y)
  203.                     if ((hillVal >= iHillsBottom1 and hillVal <= iHillsTop1) or (hillVal >= iHillsBottom2 and hillVal <= iHillsTop2)):
  204.                         peakVal = self.peaksFrac.getHeight(x,y)
  205.                         if (peakVal <= iPeakThreshold):
  206.                             self.plotTypes[i] = PlotTypes.PLOT_PEAK
  207.                         else:
  208.                             self.plotTypes[i] = PlotTypes.PLOT_HILLS
  209.                     else:
  210.                         self.plotTypes[i] = PlotTypes.PLOT_LAND
  211.  
  212.         if shift_plot_types:
  213.             self.shiftPlotTypes()
  214.  
  215.         return self.plotTypes
  216.     
  217. cardinal_directions = (1,0), (0,1), (-1,0), (0, -1)
  218.     
  219. class HintedWorld(FractalWorld):
  220.     def __init__(self, w=16, h=8, fracXExp=CyFractal.FracVals.DEFAULT_FRAC_X_EXP, 
  221.                  fracYExp=CyFractal.FracVals.DEFAULT_FRAC_Y_EXP):
  222.         FractalWorld.__init__(self, fracXExp, fracYExp)
  223.         
  224.         self.plotsPerBlockX = self.iNumPlotsX/w
  225.         self.plotsPerBlockY = self.iNumPlotsY/h
  226.  
  227.         if not self.iFlags & CyFractal.FracVals.FRAC_WRAP_X:
  228.             w += 1
  229.         if not self.iFlags & CyFractal.FracVals.FRAC_WRAP_Y:
  230.             h += 1
  231.         
  232.         self.w, self.h = w,h # the map is divided into 'w' blocks by 'h' blocks
  233.         self.data = [None]*(w*h)
  234.         self.mapRand = CyGlobalContext().getGame().getMapRand()
  235.         self.continents = []
  236.     
  237.     def normalizeBlock(self, x, y):
  238.         map = CyMap()
  239.         if map.isWrapX():
  240.             x = x % self.w
  241.         if map.isWrapY():
  242.             y = y % self.h
  243.         return x,y
  244.     
  245.     def setValue(self, x, y, val):
  246.         x,y = self.normalizeBlock(x,y)
  247.         
  248.         if self.inBounds(x,y):
  249.             self.data[self.w*y + x] = val
  250.             return True
  251.         else:
  252.             return False
  253.     
  254.     def getValue(self, x, y):
  255.         x,y = self.normalizeBlock(x,y)
  256.         if self.inBounds(x,y):
  257.             return self.data[self.w*y + x]
  258.         else: 
  259.             return None
  260.             
  261.     def blockToPlot(self, blockx, blocky):
  262.         scalex, scaley = self.plotsPerBlockX, self.plotsPerBlockY
  263.         plotx, ploty = scalex*(blockx), scaley*(blocky)
  264.         return (int(plotx), int(ploty))
  265.     
  266.     # nested class to describe a continent in the hinted world    
  267.     class Continent:
  268.         def __init__(self, world, numBlocks, x, y, maxradius):
  269.             self.world = world
  270.             self.centerx = x
  271.             self.centery = y
  272.             self.targetNumBlocks = numBlocks
  273.             self.maxradius = maxradius
  274.             self.blocks = [(x,y)] # (x,y) coords of blocks that compose the continent
  275.             self.rects = [] # one (x,y,w,h) rect. of plots for each (x,y) block'
  276.             
  277.             if numBlocks <= 1:
  278.                 self.done = True
  279.             else:
  280.                 self.done = False
  281.             
  282.         def addBlock(self, x, y):
  283.             self.blocks.append((x,y))
  284.             scalex, scaley = self.world.plotsPerBlockX, self.world.plotsPerBlockY
  285.             rect = int(x*scalex), int(y*scaley), int(1*scalex), int(1*scaley)
  286.             self.rects.append(rect)
  287.             if len(self.blocks) >= self.targetNumBlocks:
  288.                 self.done = True
  289.             
  290.         def recalculateRects(self):
  291.             scalex, scaley = self.world.plotsPerBlockX, self.world.plotsPerBlockY
  292.             self.rects = []
  293.             for (x,y) in self.blocks:
  294.                 rect = int(x*scalex), int(y*scaley), int(1*scalex), int(1*scaley)
  295.                 self.rects.append(rect)
  296.             
  297.         def containsPlot(self, x, y): # could add bRemoveParentRect here
  298.             point = (x,y)
  299.             for rect in self.rects:
  300.                 if pointInRect(point, rect):
  301.                     return True
  302.             return False
  303.             
  304.         def getCenterPlot(self):
  305.             scalex, scaley = self.world.plotsPerBlockX, self.world.plotsPerBlockY
  306.             x = scalex*(self.centerx+0.5)
  307.             y = scaley*(self.centery+0.5)
  308.             return x,y
  309.             
  310.         def findStartingPlot(self, playerID):
  311.             validFn = lambda playerID, x, y: self.containsPlot(x,y)
  312.             return findStartingPlot(playerID, validFn) # call global fn
  313.             
  314.     def addContinent(self, numBlocks, x=-1, y=-1, maxDist=-1, maxRadius=-1):
  315.         if (x == -1):
  316.             x = self.mapRand.get(self.w, "Add Continent Width PYTHON")
  317.         if (y == -1):
  318.             y = self.mapRand.get(self.h, "Add Continent Height PYTHON")
  319.         
  320.         foundx, foundy = self.findValid(x,y, maxDist)
  321.         if (foundx == -1 and foundy == -1):
  322.             return None
  323.         else:
  324.             return self.__addContinentAt(numBlocks, foundx, foundy, maxRadius)
  325.     
  326.     def __addContinentAt(self, numBlocks, x, y, maxradius=-1):
  327.         land_value = 192 + self.mapRand.get(64, "Add Continent At PYTHON")
  328.         self.setValue(x,y, land_value)
  329.         cont = HintedWorld.Continent(self,numBlocks,x,y,maxradius)
  330.         self.continents.append(cont)
  331.         return cont
  332.                 
  333.     def expandContinentBy(self, cont, numBlocks):
  334.         # this plot is not valid; choose an in-bounds plot adjacent to an existing plot and try again:
  335.         #print "expand continent by", numBlocks
  336.         blockOrder = CvUtil.shuffle(len(cont.blocks), self.mapRand)
  337.         for blockIndex in blockOrder:
  338.             x,y = cont.blocks[blockIndex]
  339.             dirOrder = CvUtil.shuffle(len(cardinal_directions), self.mapRand)
  340.             for dirIndex in dirOrder:
  341.                 dx, dy = cardinal_directions[dirIndex]
  342.                 if self.isValid(x+dx,y+dy, cont):
  343.                     cont.addBlock(x+dx,y+dy)
  344.                     land_value = 208 + self.mapRand.get(48, "Expand Continent PYTHON")
  345.                     self.setValue(x+dx, y+dy, land_value)
  346.                     #print "\tadded block", x+dx, y+dy
  347.                     if (numBlocks > 1):
  348.                         return self.expandContinentBy(cont, numBlocks-1)
  349.                     else:
  350.                         return True
  351.         
  352.         print "\tcould not expand continent:"
  353.         printMap(self.data, self.w, self.h, cont.centerx, cont.centery)
  354.         cont.done = True
  355.         return False
  356.         
  357.     def buildAllContinents(self):
  358.         all_done = False
  359.         while not all_done:
  360.             all_done = True
  361.             for cont in self.continents:
  362.                 if not cont.done:
  363.                     self.expandContinentBy(cont, 1) #expand by 1 block
  364.                     all_done = False
  365.     
  366.     def shiftHintsToMap(self):
  367.         map = CyMap()
  368.         wrapX = map.isWrapX()
  369.         wrapY = map.isWrapY()
  370.         
  371.         splitx, splity = 0,0
  372.         #self.printHints()
  373.         if (wrapX):
  374.             splitx = self.bestHintsSplitX()
  375.         if (wrapY):
  376.             splity = self.bestHintsSplitY()
  377.         self.shiftHintsBy(splitx, splity)
  378.         #self.printHints()
  379.     
  380.     def bestHintsSplitX(self):
  381.         scores = [0]*self.w
  382.         for x in range(self.w):
  383.             for y in range(self.h):
  384.                 if self.getValue(x, y) >= 192: scores[x] += 1
  385.                 if self.getValue(x-1, y) >= 192: scores[x] += 1
  386.         best_split, best_score = argmin(scores)
  387.         return best_split
  388.     
  389.     def bestHintsSplitY(self):
  390.         scores = [0]*self.h
  391.         for x in range(self.w):
  392.             for y in range(self.h):
  393.                 if self.getValue(x, y) >= 192: scores[y] += 1
  394.                 if self.getValue(x, y-1) >= 192: scores[y] += 1
  395.         best_split, best_score = argmin(scores)
  396.         return best_split
  397.     
  398.     def shiftHintsBy(self, splitx, splity):
  399.         print "shifting hints by ", splitx, splity
  400.         if splitx != 0 or splity != 0:
  401.             buf = self.data[:]
  402.             # shift the values in self.data left by best_split
  403.             for x in range(self.w):
  404.                 for y in range(self.h):
  405.                     i = y*self.w + x
  406.                     self.setValue(x-splitx, y-splity, buf[i])
  407.                     
  408.             # shift all continents' blocks left by best_split
  409.             for cont in self.continents:
  410.                 cont.blocks = [self.normalizeBlock(x-splitx, y-splity) for (x,y) in cont.blocks]
  411.                 cont.recalculateRects()
  412.     
  413.     # self.data must represent a rect where w = 2*h,
  414.     # and where both w and h are exponents of 2
  415.     def __doInitFractal(self):
  416.         self.shiftHintsToMap()
  417.         
  418.         # don't call base method, this overrides it.
  419.         size = len(self.data)
  420.         minExp = min(self.fracXExp, self.fracYExp)
  421.         iGrain = None
  422.         for i in range(minExp):
  423.             width = (1 << (self.fracXExp - minExp + i))
  424.             height = (1 << (self.fracYExp - minExp + i))
  425.             if not self.iFlags & CyFractal.FracVals.FRAC_WRAP_X:
  426.                 width += 1
  427.             if not self.iFlags & CyFractal.FracVals.FRAC_WRAP_Y:
  428.                 height += 1
  429.             if size == width*height:
  430.                 iGrain = i
  431.         assert(iGrain != None)
  432.         iFlags = self.map.getMapFractalFlags()
  433.         self.continentsFrac.fracInitHints(self.iNumPlotsX, self.iNumPlotsY, iGrain, self.mapRand, iFlags, self.data, self.fracXExp, self.fracYExp)
  434.             
  435.     def isValid(self, x, y, cont=None):
  436.         if not self.inBounds(x, y):
  437.             return False
  438.         if cont and cont.maxradius > 0:
  439.             if abs(x - cont.centerx) + abs(y - cont.centery) > cont.maxradius:
  440.                 return False
  441.         val = self.getValue(x,y)
  442.         if val != None:
  443.             return False
  444.         for dx in range(-1,2):
  445.             for dy in range(-1,2):
  446.                 val = self.getValue(x+dx, y+dy)
  447.                 if val != None and val >= 192 and ((not cont) or (x+dx, y+dy) not in cont.blocks):
  448.                     return False
  449.         return True
  450.         
  451.     
  452.     def findValid(self, x, y, dist=-1):
  453.         if (dist == -1):
  454.             dist = max(self.w, self.h)
  455.         
  456.         if (dist > 0):
  457.             foundx, foundy = self.findValid(x, y, dist-1)
  458.             if (foundx != -1 and foundy != -1):
  459.                 return foundx, foundy
  460.             
  461.         plots = []
  462.         for dx in range(-dist, dist+1):
  463.             for dy in range(-dist, dist+1):
  464.                 if max(abs(dx), abs(dy)) == dist:
  465.                     plots.append((x+dx, y+dy))
  466.                 
  467.         plotOrder = CvUtil.shuffle(len(plots), self.mapRand)
  468.         for plotIndex in plotOrder:
  469.             tryx, tryy = plots[plotIndex]
  470.             if self.isValid(tryx, tryy): return tryx, tryy
  471.         
  472.         return -1, -1
  473.         
  474.     def printHints(self, markerx=-1, markery=-1):
  475.         printMap(self.data, self.w, self.h, markerx, markery)
  476.  
  477.     def inBounds(self, x, y):
  478.         x,y = self.normalizeBlock(x,y)
  479.         return (0 <= x < self.w and 0 <= y < self.h)
  480.         
  481.     def generatePlotTypes(self, water_percent=-1, shift_plot_types=False):
  482.         for i in range(len(self.data)):
  483.             if self.data[i] == None:
  484.                 self.data[i] = self.mapRand.get(48, "Generate Plot Types PYTHON")
  485.         
  486.         self.__doInitFractal()
  487.         if (water_percent == -1):
  488.             numPlots = len(self.data)
  489.             numWaterPlots = 0
  490.             for val in self.data:
  491.                 if val < 192: # XXX what is this???
  492.                     numWaterPlots += 1
  493.             water_percent = int(100*numWaterPlots/numPlots)
  494.         
  495.         return FractalWorld.generatePlotTypes(self, water_percent, shift_plot_types) # call superclass
  496.         
  497. def printMap(data, w, h, markerx=-1, markery=-1):
  498.     print "-"*(w+2)
  499.     hrange = range(h)
  500.     hrange.reverse()
  501.     for y in hrange:
  502.         str = "|"
  503.         for x in range(w):
  504.             val = data[y*w + x]
  505.             if (x,y) == (markerx, markery):
  506.                 str += "O"
  507.             elif val != 0:
  508.                 str += "X"
  509.             else:
  510.                 str += " "
  511.         str += "|"
  512.         print str
  513.     print "-"*(w+2)
  514.  
  515. '''
  516. SIRIAN's "MULTILAYERED FRACTAL" INSTRUCTIONS
  517.  
  518. Since some map scripting concepts demanded the ability to use more than one
  519. fractal instance to generate plot types, I set out to create a new class that
  520. would use multiple "regional fractals" to assemble a complex map.
  521.  
  522. MultilayeredFractal duplicates the effects of FractalWorld for each layer
  523. in turn. GeneratePlotsByRegion is the controlling function. You will need to
  524. customize this function for each usage, but the rest of the class will stand
  525. as written unless your needs fall outside the normal intended usage.
  526.  
  527. I've included an enormous amount of power over the layers, but this does mean
  528. a long list of parameters that you must understand and organize for each layer.
  529.  
  530. Each layer must be passed this list of arguments:
  531.  
  532. Regional Variables Key:
  533.  
  534. iWaterPercent,
  535. iRegionWidth, iRegionHeight,
  536. iRegionWestX, iRegionSouthY,
  537. iRegionGrain, iRegionHillsGrain,
  538. iRegionPlotFlags, iRegionTerrainFlags,
  539. iRegionFracXExp, iRegionFracYExp,
  540. bShift, iStrip,
  541. rift_grain, has_center_rift,
  542. invert_heights
  543.  
  544. Most of these should be self-explanatory, but I'll discuss the rest.
  545.  
  546. -------------------------------------------------
  547. Grain is the density of land vs sea. Higher numbers generate more and smaller land masses.
  548.  
  549. HillsGrain is the density of highlands vs flatlands.
  550. Peaks are included in highlands and work off the same density numbers.
  551.  
  552. Flags are special variables to pass to the fractal generator.
  553. * FRAC_POLAR will eliminate straight edges along the border of your region.
  554. * FRAC_WRAP_X will "spread out" the fractal horizontally and cancel FRAC_POLAR's vertical component.
  555. * FRAC_WRAP_Y will "spread out" the fractal vertically and cancel FRAC_POLAR's horizontal component.
  556.  
  557. The Polar flag causes a maximum "height value" to be returned for any coordinates
  558. with a zero component. (0,0 or 0,15 or 71,0 - for instance.) This can cause
  559. problems for terrain and features on maps that put land plots in the zero row
  560. or column. This will also cause a problem for any fractal region you generate.
  561. I've included shortcuts for typical uses, but you may need to customize the flags
  562. for some purposes. PlotFlags and TerrainFlags give you full control.
  563.  
  564. FracXExp is the width of the source fractal.
  565. FracYExp is the height of the source fractal.
  566. These exponents are raised to powers of two. So a value of FracXExp = 7 
  567. means 2^7, which would be 128 units wide. FracXExp = 6 would be only 64 
  568. units wide. FracYExp works the same way.
  569.  
  570. Default values are 7 for FracXExp and 6 for FracYExp, or 128x64 matrix.
  571.  
  572. I've poked around with the fractals quite a bit. Values lower than 5 seem to
  573. distort the fractal's definition too much, so I don't recommend them even for
  574. use with very small regions. 6x5 proved to be the smallest that I trust. Higher
  575. exponents will generate more defined and refined fractal outputs, but at the
  576. cost of increased calculation times. I would not recommend using exponents
  577. higher than 9. (Larger than 512 even in only one direction is hopeless for Civ4's 
  578. True Pathfinding processes, anyway. The game would be unplayably slow!) So I 
  579. recommend sticking with 7 as maximum exponent unless your map will be more than 
  580. 32 (4x4) plot blocks (128 plots) in at least one dimension. Sticking between the 
  581. ranges of 6 and 8 for whole maps, and 5 and 7 for regions, is recommended.
  582.  
  583. Shift is a boolean flag as to whether or not to shift plots in that region.
  584.  
  585. Strip value has to do with "shifting" the plots to reduce rough edges. This
  586. process overlaps with the Polar flags, though, so if you are using Polar flags,
  587. shifting won't do anything for you along the edges that are Polar-shifted.
  588. The strip size needs to scale appropriately to the size of the region being
  589. shifted. As of this writing, I have not yet determined all the best values to
  590. fit with certain sizes of regions. (And these are a moving target based on map
  591. sizes!) I will try to figure this out and update these notes again before release.
  592.  
  593. rift_grain has to do with forced strips of water running in a mostly vertical
  594. direction. They simulate the Atlantic and Pacific Oceans separating Earth's
  595. two primary land regions. You can turn off the Atlantic rift by setting
  596. has_center_rift to false. You can turn off all rifts by setting rift_grain
  597. to -1. For most regional fractals, you will probably want to disable rifts.
  598.  
  599. invert_heights is not a function I have needed, but it seems clear enough. It
  600. has to do with results returned by the fractal generator and could be used
  601. instead of adjusting the height values, in some cases. I always adjust the
  602. height values, though, so it has seemed like a redundant option. It's there
  603. in case somebody wanted to use it, though.
  604. -------------------------------------------------
  605.  
  606. GeneratePlotsInRegion is a fully automated process. If you want to layer land
  607. plots, all you need to do is call this function over and over from the
  608. controlling function: GeneratePlotsByRegion
  609.  
  610. Each region needs to be defined by the map scripter, then organized in the
  611. controlling function. Pass in the necessary arguments to generatePlotsInRegion
  612. and get back a region of land, already "layered" on to the global plot array.
  613.  
  614. The global plot array begins as all water. Each layer of fractalized plots is
  615. applied in turn, overwriting the previous layer. Water plots in each layer are
  616. ignored. Land plots of any type are assigned to the applicable plot. The water
  617. "left over" at the end of the process will be whatever plots went untouched by
  618. any of the regional layers' land plots. If regions overlap, landforms may overlap,
  619. too. This allows both separate-distinct regional use, and layering over a single
  620. area with as many passes as the scripter selects.
  621.  
  622.  
  623. For most uses, you can use a new subclass to override GeneratePlotsByRegion
  624. and not have to mess with the rest of the class. GeneratePlotsByRegion is the
  625. controlling function and must be customized for each applicable map script.
  626.  
  627. - Bob Thomas   July 13, 2005
  628. '''
  629.  
  630. # This class can be called instead of FractalWorld or HintedWorld.
  631. # MultilayeredFractal enables multiple fractals to be
  632. # layered over a single map, to generate plot types.
  633. # Use GeneratePlotsByRegion to organize your fractal layers.
  634.  
  635. class MultilayeredFractal:
  636.     def __init__(self, fracXExp=CyFractal.FracVals.DEFAULT_FRAC_X_EXP, 
  637.                  fracYExp=CyFractal.FracVals.DEFAULT_FRAC_Y_EXP):
  638.         self.gc = CyGlobalContext()
  639.         self.map = self.gc.getMap()
  640.         self.iW = self.map.getGridWidth()
  641.         self.iH = self.map.getGridHeight()
  642.         self.dice = self.gc.getGame().getMapRand()
  643.         self.iFlags = self.map.getMapFractalFlags() # Defaults for that map type.
  644.         self.iTerrainFlags = self.map.getMapFractalFlags() # Defaults for that map type.
  645.         self.iHorzFlags = CyFractal.FracVals.FRAC_WRAP_X + CyFractal.FracVals.FRAC_POLAR # Use to prevent flat edges to north or south.
  646.         self.iVertFlags = CyFractal.FracVals.FRAC_WRAP_Y + CyFractal.FracVals.FRAC_POLAR # Use to prevent flat edges to east or west.
  647.         self.iRoundFlags = CyFractal.FracVals.FRAC_POLAR # Use to prevent flat edges on all sides.
  648.         self.plotTypes = [] # Regional array
  649.         self.wholeworldPlotTypes = [PlotTypes.PLOT_OCEAN] * (self.iW*self.iH) # Global
  650.         self.fracXExp = fracXExp
  651.         self.fracYExp = fracYExp
  652.         # Note: there is no checkForOverrideDefaultUserInputVariances() 
  653.         # function for MultilayeredFractal. You should control any 
  654.         # user input variances per region, in your region definitions.
  655.  
  656.     def shiftRegionPlots(self, iRegionWidth, iRegionHeight, iStrip=15):
  657.         # Minimizes land plots along the region's edges by shifting the coordinates.
  658.         stripRadius = min(15, iStrip)
  659.         stripRadius = max(3, iStrip)
  660.         best_split_x, best_split_y = 0,0
  661.         best_split_x = self.findBestRegionSplitX(iRegionWidth, iRegionHeight, stripRadius)        
  662.         best_split_y = self.findBestRegionSplitY(iRegionWidth, iRegionHeight, stripRadius)        
  663.         self.shiftRegionPlotsBy(best_split_x, best_split_y, iRegionWidth, iRegionHeight)
  664.     
  665.     def shiftRegionPlotsBy(self, xshift, yshift, iRegionWidth, iRegionHeight):
  666.         if xshift > 0 or yshift > 0:
  667.             iWH = iRegionWidth * iRegionHeight
  668.             buf = self.plotTypes[:]
  669.             for iDestY in range(iRegionHeight):
  670.                 for iDestX in range(iRegionWidth):
  671.                     iDestI = iRegionWidth*iDestY + iDestX
  672.                     iSourceX = iDestX + xshift
  673.                     iSourceY = iDestY + yshift
  674.                     iSourceX %= iRegionWidth # normalize
  675.                     iSourceY %= iRegionHeight
  676.  
  677.                     iSourceI = iRegionWidth*iSourceY + iSourceX
  678.                     self.plotTypes[iDestI] = buf[iSourceI]
  679.  
  680.     def findBestRegionSplitY(self, iRegionWidth, iRegionHeight, stripRadius):
  681.         stripSize = 2*stripRadius
  682.         if stripSize > iRegionWidth:
  683.             return 0
  684.  
  685.         numPlots = iRegionWidth * iRegionHeight
  686.         stripCenterIndex = stripRadius
  687.         piLandWeights = self.calcWeights(stripRadius)
  688.         
  689.         scores = [0]*iRegionHeight
  690.         for y in range(iRegionHeight):
  691.             landScore = 0
  692.             bFoundLand = False
  693.             for x in range(iRegionWidth):
  694.                 i = y*iRegionWidth + x
  695.                 assert (i >= 0 and i < numPlots)
  696.                 if self.plotTypes[i] == PlotTypes.PLOT_LAND:
  697.                     landScore += 1
  698.                     bFoundLand = True
  699.             if bFoundLand:
  700.                 landScore += 30 # the first land is worth about 10 plots of land
  701.  
  702.             for i in range(stripSize):
  703.                 yy = y + i - stripCenterIndex
  704.                 yy %= iRegionHeight
  705.                 scores[yy] += landScore * piLandWeights[i]
  706.  
  707.         best_split_y, lowest_score = argmin(scores)
  708.         return best_split_y
  709.  
  710.     def findBestRegionSplitX(self, iRegionWidth, iRegionHeight, stripRadius):
  711.         stripSize = 2*stripRadius
  712.         if stripSize > iRegionWidth:
  713.             return 0
  714.  
  715.         numPlots = iRegionWidth * iRegionHeight
  716.         stripCenterIndex = stripRadius
  717.         piLandWeights = self.calcWeights(stripRadius)
  718.         
  719.         scores = [0]*iRegionWidth
  720.         for x in range(iRegionWidth):
  721.             landScore = 0
  722.             bFoundLand = False
  723.             for y in range(iRegionHeight):
  724.                 i = y*iRegionWidth + x
  725.                 assert (i >= 0 and i < numPlots)
  726.                 if self.plotTypes[i] == PlotTypes.PLOT_LAND:
  727.                     landScore += 1
  728.                     bFoundLand = True
  729.             if bFoundLand:
  730.                 landScore += 30 # the first land is worth about 10 plots of land
  731.             
  732.             for i in range(stripSize):
  733.                 xx = x + i - stripCenterIndex
  734.                 xx %= iRegionWidth
  735.                 scores[xx] += landScore * piLandWeights[i]
  736.                 
  737.         best_split_x, lowest_score = argmin(scores)
  738.         return best_split_x
  739.  
  740.     def calcWeights(self, stripRadius):
  741.         stripSize = 2*stripRadius
  742.         landWeights = [0]*stripSize
  743.         for i in range(stripSize):
  744.             distFromStart = i+1
  745.             distFromEnd = stripSize-i
  746.             distFromEdge = min(distFromStart, distFromEnd)
  747.             landWeight = distFromEdge
  748.             distFromCenter = stripRadius - distFromEdge
  749.             if distFromCenter <= 1:
  750.                 landWeight *= stripRadius
  751.             if distFromCenter == 0:
  752.                 landWeight *= 2
  753.             landWeights[i] = landWeight
  754.         return landWeights
  755.  
  756.     def generatePlotsInRegion(self, iWaterPercent, 
  757.                               iRegionWidth, iRegionHeight, 
  758.                               iRegionWestX, iRegionSouthY, 
  759.                               iRegionGrain, iRegionHillsGrain, 
  760.                               iRegionPlotFlags, iRegionTerrainFlags, 
  761.                               iRegionFracXExp = -1, iRegionFracYExp = -1, 
  762.                               bShift = True, iStrip = 15, 
  763.                               rift_grain = -1, has_center_rift = False, 
  764.                               invert_heights = False):
  765.         # This is the code to generate each fractal.
  766.         # Determine and pass in the appropriate arguments from the controlling function.
  767.         #
  768.         # Init local variables
  769.         water = iWaterPercent
  770.         iWestX = iRegionWestX
  771.         # Note: if you pass bad regional dimensions so that iEastX > self.iW, BOOM! So don't do that. I could close out that possibility, but better that I not, so that you get an error to warn you of erroneous regional parameters. - Sirian
  772.         iSouthY = iRegionSouthY
  773.         
  774.         # Init the plot types array and the regional fractals
  775.         self.plotTypes = [] # reinit the array for each pass
  776.         self.plotTypes = [PlotTypes.PLOT_OCEAN] * (iRegionWidth*iRegionHeight)
  777.         regionContinentsFrac = CyFractal()
  778.         regionHillsFrac = CyFractal()
  779.         regionPeaksFrac = CyFractal()
  780.         regionContinentsFrac.fracInit(iRegionWidth, iRegionHeight, iRegionGrain, self.dice, iRegionPlotFlags, iRegionFracXExp, iRegionFracYExp)
  781.         regionHillsFrac.fracInit(iRegionWidth, iRegionHeight, iRegionHillsGrain, self.dice, iRegionTerrainFlags, iRegionFracXExp, iRegionFracYExp)
  782.         regionPeaksFrac.fracInit(iRegionWidth, iRegionHeight, iRegionHillsGrain+1, self.dice, iRegionTerrainFlags, iRegionFracXExp, iRegionFracYExp)
  783.  
  784.         iWaterThreshold = regionContinentsFrac.getHeightFromPercent(water)
  785.         iHillsBottom1 = regionHillsFrac.getHeightFromPercent(max((25 - self.gc.getClimateInfo(self.map.getClimate()).getHillRange()), 0))
  786.         iHillsTop1 = regionHillsFrac.getHeightFromPercent(min((25 + self.gc.getClimateInfo(self.map.getClimate()).getHillRange()), 100))
  787.         iHillsBottom2 = regionHillsFrac.getHeightFromPercent(max((75 - self.gc.getClimateInfo(self.map.getClimate()).getHillRange()), 0))
  788.         iHillsTop2 = regionHillsFrac.getHeightFromPercent(min((75 + self.gc.getClimateInfo(self.map.getClimate()).getHillRange()), 100))
  789.         iPeakThreshold = regionPeaksFrac.getHeightFromPercent(self.gc.getClimateInfo(self.map.getClimate()).getPeakPercent())
  790.  
  791.         # Loop through the region's plots
  792.         for x in range(iRegionWidth):
  793.             for y in range(iRegionHeight):
  794.                 i = y*iRegionWidth + x
  795.                 val = regionContinentsFrac.getHeight(x,y)
  796.                 if val <= iWaterThreshold: pass
  797.                 else:
  798.                     hillVal = regionHillsFrac.getHeight(x,y)
  799.                     if ((hillVal >= iHillsBottom1 and hillVal <= iHillsTop1) or (hillVal >= iHillsBottom2 and hillVal <= iHillsTop2)):
  800.                         peakVal = regionPeaksFrac.getHeight(x,y)
  801.                         if (peakVal <= iPeakThreshold):
  802.                             self.plotTypes[i] = PlotTypes.PLOT_PEAK
  803.                         else:
  804.                             self.plotTypes[i] = PlotTypes.PLOT_HILLS
  805.                     else:
  806.                         self.plotTypes[i] = PlotTypes.PLOT_LAND
  807.  
  808.         if bShift:
  809.             # Shift plots to obtain a more natural shape.
  810.             self.shiftRegionPlots(iRegionWidth, iRegionHeight, iStrip)
  811.  
  812.         # Once the plot types for the region have been generated, they must be
  813.         # applied to the global plot array.
  814.         #
  815.         # Default approach is to ignore water and layer the lands over one another.
  816.         # If you want to layer the water, too, or some other combination, then
  817.         # create a subclass and override this function. Customize in your override.
  818.         #
  819.         # Apply the region's plots to the global plot array.
  820.         for x in range(iRegionWidth):
  821.             wholeworldX = x + iWestX
  822.             for y in range(iRegionHeight):
  823.                 i = y*iRegionWidth + x
  824.                 if self.plotTypes[i] == PlotTypes.PLOT_OCEAN: continue
  825.                 wholeworldY = y + iSouthY
  826.                 iWorld = wholeworldY*self.iW + wholeworldX
  827.                 self.wholeworldPlotTypes[iWorld] = self.plotTypes[i]
  828.  
  829.         # This region is done.
  830.         return
  831.  
  832.     def generatePlotsByRegion(self):
  833.         # Sirian's MultilayeredFractal class, controlling function.
  834.         # You -MUST- customize this function for each use of the class.
  835.         #
  836.         # The rest of this function from CvMapGeneratorUtil.py is provided
  837.         # to you as a template. You will have to build your own version for
  838.         # use with your map scripts, according to your designs.
  839.         #
  840.         # The following object indexes custom grain amounts per world size.
  841.         # Add a new column for each desired global or regional grain setting.
  842.         # (Grains are used to control fractal results. Larger grains create
  843.         # smaller patches of similar values. Small grains create large patches.)
  844.         #
  845.         # Here is an example of obtaining grain sizes to fit with map sizes.
  846.         sizekey = self.map.getWorldSize()
  847.         sizevalues = {
  848.             WorldSizeTypes.WORLDSIZE_DUEL:      (3,2,1,2),
  849.             WorldSizeTypes.WORLDSIZE_TINY:      (3,2,1,2),
  850.             WorldSizeTypes.WORLDSIZE_SMALL:     (3,2,1,2),
  851.             WorldSizeTypes.WORLDSIZE_STANDARD:  (4,2,1,2),
  852.             WorldSizeTypes.WORLDSIZE_LARGE:     (4,2,1,2),
  853.             WorldSizeTypes.WORLDSIZE_HUGE:      (5,2,1,2)
  854.             }
  855.         # You can add as many grain entries as you like.
  856.         # Seed them all from the matrix using the following type of line:
  857.         (iGrainOne, iGrainTwo, iGrainThree, iGrainFour) = sizevalues[sizekey]
  858.         # The example is for four grain values. You may not need that many.
  859.         # Check scripts that use MultilayeredFractal for more examples.
  860.  
  861.         # Define the regions (necessary to any use of generatePlotsByRegion)
  862.         # Start by initializing regional definitions.
  863.         # All regions must be rectangular. (The fractal only feeds on these!)
  864.         # Obtain region width and height by any method you care to design.
  865.         # Obtain WestX and EastX, NorthY and SouthY, to define the boundaries.
  866.         #
  867.         # Note that Lat and Lon as used here are different from the use for
  868.         # the generation of terrain types and features. Sorry for the ambiguity!
  869.         #
  870.         # Latitude and Longitude are values between 0.0 and 1.0
  871.         # Latitude South to North is 0.0 to 1.0
  872.         # Longitude West to East is 0.0 to 1.0
  873.         # Plots are indexed by X,Y with 0,0 in SW corner.
  874.         #
  875.         # Here is an example set of definitions
  876.         regiononeWestLon = 0.05
  877.         regiononeEastLon = 0.35
  878.         regiontwoWestLon = 0.45
  879.         regiontwoEastLon = 0.95
  880.         regiontwoNorthLat = 0.95
  881.         regiontwoSouthLat = 0.45
  882.         subcontinentLargeHorz = 0.2
  883.         subcontinentLargeVert = 0.32
  884.         subcontinentLargeNorthLat = 0.6
  885.         subcontinentLargeSouthLat = 0.28
  886.         subcontinentSmallDimension = 0.125
  887.         subcontinentSmallNorthLat = 0.525
  888.         subcontinentSmallSouthLat = 0.4
  889.         # You can then use these longitudes and latitudes crossed with grid sizes
  890.         # to enable one definition to fit any map size, map width, map height.
  891.  
  892.         # Define your first region here.
  893.         NiTextOut("Generating Region One (Python Map_Script_Name) ...")
  894.         # Set dimensions of your region. (Below is an example).
  895.         regiononeWestX = int(self.iW * regiononeWestLon)
  896.         regiononeEastX = int(self.iW * regiononeEastLon)
  897.         regiononeNorthY = int(self.iH * regiononeNorthLat)
  898.         regiononeSouthY = int(self.iH * regiononeSouthLat)
  899.         regiononeWidth = regiononeEastX - regiononeWestX + 1
  900.         regiononeHeight = regiononeNorthY - regiononeSouthY + 1
  901.         regiononeWater = 70
  902.  
  903.         # With all of your parameters set, pass them in to the plot generator.
  904.         self.generatePlotsInRegion(regiononeWater,
  905.                                    regiononeWidth, regiononeHeight,
  906.                                    regiononeWestX, regiononeSouthY,
  907.                                    regiononeGrain, iGrainOne,
  908.                                    self.iFlags, self.iTerrainFlags,
  909.                                    -1, -1,
  910.                                    True, 15,
  911.                                    2, False,
  912.                                    False
  913.                                    )
  914.  
  915.         # Define additional regions.
  916.         # Regions can overlap or add on to other existing regions.
  917.         # Example of a subcontinent region appended to region one from above:
  918.         NiTextOut("Generating subcontinent for Region One (Python Map_Script_Name) ...")
  919.         scLargeWidth = int(subcontinentLargeHorz * self.iW)
  920.         scLargeHeight = int(subcontinentLargeVert * self.iH)
  921.         scRoll = self.dice.get((regiononeWidth - scLargeWidth), "Large Subcontinent Placement - Map_Script_Name PYTHON")
  922.         scWestX = regiononeWestX + scRoll
  923.         scEastX = scWestX + scLargeWidth
  924.         scNorthY = int(self.iH * subcontinentLargeNorthLat)
  925.         scSouthY = int(self.iH * subcontinentLargeSouthLat)
  926.  
  927.         # Clever use of dice rolls can inject some randomization in to definitions.
  928.         scShape = self.dice.get(3, "Large Subcontinent Shape - Map_Script_Name PYTHON")
  929.         if scShape == 2: # Massive subcontinent!
  930.             scWater = 55; scGrain = 1; scRift = 2
  931.         elif scShape == 1: # Standard subcontinent.
  932.             scWater = 66; scGrain = 2; scRift = 2
  933.         else: # scShape == 0, Archipelago subcontinent.
  934.             scWater = 77; scGrain = archGrain; scRift = -1
  935.  
  936.         # Each regional fractal needs its own uniquely defined parameters.
  937.         # With proper settings, there's almost no limit to what can be done.
  938.         self.generatePlotsInRegion(scWater,
  939.                                    scLargeWidth, scLargeHeight,
  940.                                    scWestX, scSouthY,
  941.                                    scGrain, iGrainOne,
  942.                                    self.iRoundFlags, self.iTerrainFlags, 
  943.                                    6, 6,
  944.                                    False, 9,
  945.                                    scRift, False,
  946.                                    False
  947.                                    )
  948.  
  949.         # Once all your of your fractal regions (and other regions! You do not have
  950.         # to make every region a fractal-based region) have been processed, and
  951.         # your plot generation is complete, return the global plot array.
  952.         #
  953.         # All regions have been processed. Plot Type generation completed.
  954.         return self.wholeworldPlotTypes
  955.  
  956. '''
  957. Regional Variables Key:
  958.  
  959. iWaterPercent,
  960. iRegionWidth, iRegionHeight,
  961. iRegionWestX, iRegionSouthY,
  962. iRegionGrain, iRegionHillsGrain,
  963. iRegionPlotFlags, iRegionTerrainFlags,
  964. iRegionFracXExp, iRegionFracYExp,
  965. bShift, iStrip,
  966. rift_grain, has_center_rift,
  967. invert_heights
  968. '''
  969.  
  970. class TerrainGenerator:
  971.     "If iDesertPercent=35, then about 35% of all land will be desert. Plains is similar. \
  972.     Note that all percentages are approximate, as values have to be roughened to achieve a natural look."
  973.     
  974.     def __init__(self, iDesertPercent=35, iPlainsPercent=20,
  975.                  fSnowLatitude=0.7, fTundraLatitude=0.6,
  976.                  fGrassLatitude=0.1, fDesertBottomLatitude=0.2,
  977.                  fDesertTopLatitude=0.5, fracXExp=-1,
  978.                  fracYExp=-1, grain_amount=4):
  979.         
  980.         self.gc = CyGlobalContext()
  981.         self.map = CyMap()
  982.  
  983.         grain_amount += self.gc.getWorldInfo(self.map.getWorldSize()).getTerrainGrainChange()
  984.         
  985.         self.grain_amount = grain_amount
  986.  
  987.         self.iWidth = self.map.getGridWidth()
  988.         self.iHeight = self.map.getGridHeight()
  989.  
  990.         self.mapRand = self.gc.getGame().getMapRand()
  991.         
  992.         self.iFlags = 0  # Disallow FRAC_POLAR flag, to prevent "zero row" problems.
  993.         if self.map.isWrapX(): self.iFlags += CyFractal.FracVals.FRAC_WRAP_X
  994.         if self.map.isWrapY(): self.iFlags += CyFractal.FracVals.FRAC_WRAP_Y
  995.  
  996.         self.deserts=CyFractal()
  997.         self.plains=CyFractal()
  998.         self.variation=CyFractal()
  999.  
  1000.         iDesertPercent += self.gc.getClimateInfo(self.map.getClimate()).getDesertPercentChange()
  1001.         iDesertPercent = min(iDesertPercent, 100)
  1002.         iDesertPercent = max(iDesertPercent, 0)
  1003.  
  1004.         self.iDesertPercent = iDesertPercent
  1005.         self.iPlainsPercent = iPlainsPercent
  1006.  
  1007.         self.iDesertTopPercent = 100
  1008.         self.iDesertBottomPercent = max(0,int(100-iDesertPercent))
  1009.         self.iPlainsTopPercent = 100
  1010.         self.iPlainsBottomPercent = max(0,int(100-iDesertPercent-iPlainsPercent))
  1011.         self.iMountainTopPercent = 75
  1012.         self.iMountainBottomPercent = 60
  1013.  
  1014.         fSnowLatitude += self.gc.getClimateInfo(self.map.getClimate()).getSnowLatitudeChange()
  1015.         fSnowLatitude = min(fSnowLatitude, 1.0)
  1016.         fSnowLatitude = max(fSnowLatitude, 0.0)
  1017.         self.fSnowLatitude = fSnowLatitude
  1018.  
  1019.         fTundraLatitude += self.gc.getClimateInfo(self.map.getClimate()).getTundraLatitudeChange()
  1020.         fTundraLatitude = min(fTundraLatitude, 1.0)
  1021.         fTundraLatitude = max(fTundraLatitude, 0.0)
  1022.         self.fTundraLatitude = fTundraLatitude
  1023.  
  1024.         fGrassLatitude += self.gc.getClimateInfo(self.map.getClimate()).getGrassLatitudeChange()
  1025.         fGrassLatitude = min(fGrassLatitude, 1.0)
  1026.         fGrassLatitude = max(fGrassLatitude, 0.0)
  1027.         self.fGrassLatitude = fGrassLatitude
  1028.  
  1029.         fDesertBottomLatitude += self.gc.getClimateInfo(self.map.getClimate()).getDesertBottomLatitudeChange()
  1030.         fDesertBottomLatitude = min(fDesertBottomLatitude, 1.0)
  1031.         fDesertBottomLatitude = max(fDesertBottomLatitude, 0.0)
  1032.         self.fDesertBottomLatitude = fDesertBottomLatitude
  1033.  
  1034.         fDesertTopLatitude += self.gc.getClimateInfo(self.map.getClimate()).getDesertTopLatitudeChange()
  1035.         fDesertTopLatitude = min(fDesertTopLatitude, 1.0)
  1036.         fDesertTopLatitude = max(fDesertTopLatitude, 0.0)
  1037.         self.fDesertTopLatitude = fDesertTopLatitude
  1038.         
  1039.         self.fracXExp = fracXExp
  1040.         self.fracYExp = fracYExp
  1041.  
  1042.         self.initFractals()
  1043.         
  1044.     def initFractals(self):
  1045.         self.deserts.fracInit(self.iWidth, self.iHeight, self.grain_amount, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  1046.         self.iDesertTop = self.deserts.getHeightFromPercent(self.iDesertTopPercent)
  1047.         self.iDesertBottom = self.deserts.getHeightFromPercent(self.iDesertBottomPercent)
  1048.  
  1049.         self.plains.fracInit(self.iWidth, self.iHeight, self.grain_amount+1, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  1050.         self.iPlainsTop = self.plains.getHeightFromPercent(self.iPlainsTopPercent)
  1051.         self.iPlainsBottom = self.plains.getHeightFromPercent(self.iPlainsBottomPercent)
  1052.  
  1053.         self.variation.fracInit(self.iWidth, self.iHeight, self.grain_amount, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  1054.  
  1055.         self.terrainDesert = self.gc.getInfoTypeForString("TERRAIN_DESERT")
  1056.         self.terrainPlains = self.gc.getInfoTypeForString("TERRAIN_PLAINS")
  1057.         self.terrainIce = self.gc.getInfoTypeForString("TERRAIN_SNOW")
  1058.         self.terrainTundra = self.gc.getInfoTypeForString("TERRAIN_TUNDRA")
  1059.         self.terrainGrass = self.gc.getInfoTypeForString("TERRAIN_GRASS")
  1060.  
  1061.     def getLatitudeAtPlot(self, iX, iY):
  1062.         """given a point (iX,iY) such that (0,0) is in the NW,
  1063.         returns a value between 0.0 (tropical) and 1.0 (polar).
  1064.         This function can be overridden to change the latitudes; for example,
  1065.         to make an entire map have temperate terrain, or to make terrain change from east to west
  1066.         instead of from north to south"""
  1067.         lat = abs((self.iHeight / 2) - iY)/float(self.iHeight/2) # 0.0 = equator, 1.0 = pole
  1068.  
  1069.         # Adjust latitude using self.variation fractal, to mix things up:
  1070.         lat += (128 - self.variation.getHeight(iX, iY))/(255.0 * 5.0)
  1071.  
  1072.         # Limit to the range [0, 1]:
  1073.         if lat < 0:
  1074.             lat = 0.0
  1075.         if lat > 1:
  1076.             lat = 1.0
  1077.  
  1078.         return lat
  1079.  
  1080.     def generateTerrain(self):        
  1081.         terrainData = [0]*(self.iWidth*self.iHeight)
  1082.         for x in range(self.iWidth):
  1083.             for y in range(self.iHeight):
  1084.                 iI = y*self.iWidth + x
  1085.                 terrain = self.generateTerrainAtPlot(x, y)
  1086.                 terrainData[iI] = terrain
  1087.         return terrainData
  1088.  
  1089.     def generateTerrainAtPlot(self,iX,iY):
  1090.         lat = self.getLatitudeAtPlot(iX,iY)
  1091.  
  1092.         if (self.map.plot(iX, iY).isWater()):
  1093.             return self.map.plot(iX, iY).getTerrainType()
  1094.  
  1095.         terrainVal = self.terrainGrass
  1096.  
  1097.         if lat >= self.fSnowLatitude:
  1098.             terrainVal = self.terrainIce
  1099.         elif lat >= self.fTundraLatitude:
  1100.             terrainVal = self.terrainTundra
  1101.         elif lat < self.fGrassLatitude:
  1102.             terrainVal = self.terrainGrass
  1103.         else:
  1104.             desertVal = self.deserts.getHeight(iX, iY)
  1105.             plainsVal = self.plains.getHeight(iX, iY)
  1106.             if ((desertVal >= self.iDesertBottom) and (desertVal <= self.iDesertTop) and (lat >= self.fDesertBottomLatitude) and (lat < self.fDesertTopLatitude)):
  1107.                 terrainVal = self.terrainDesert
  1108.             elif ((plainsVal >= self.iPlainsBottom) and (plainsVal <= self.iPlainsTop)):
  1109.                 terrainVal = self.terrainPlains
  1110.  
  1111.         if (terrainVal == TerrainTypes.NO_TERRAIN):
  1112.             return self.map.plot(iX, iY).getTerrainType()
  1113.  
  1114.         return terrainVal
  1115.     
  1116. class FeatureGenerator:
  1117.     def __init__(self, iJunglePercent=80, iForestPercent=60,
  1118.                  jungle_grain=5, forest_grain=6, 
  1119.                  fracXExp=-1, fracYExp=-1):
  1120.         
  1121.         self.gc = CyGlobalContext()
  1122.         self.map = CyMap()
  1123.         self.mapRand = self.gc.getGame().getMapRand()
  1124.         self.jungles = CyFractal()
  1125.         self.forests = CyFractal()
  1126.         
  1127.         self.iFlags = 0  # Disallow FRAC_POLAR flag, to prevent "zero row" problems.
  1128.         if self.map.isWrapX(): self.iFlags += CyFractal.FracVals.FRAC_WRAP_X
  1129.         if self.map.isWrapY(): self.iFlags += CyFractal.FracVals.FRAC_WRAP_Y
  1130.  
  1131.         self.iGridW = self.map.getGridWidth()
  1132.         self.iGridH = self.map.getGridHeight()
  1133.         
  1134.         self.iJunglePercent = iJunglePercent
  1135.         self.iForestPercent = iForestPercent
  1136.  
  1137.         jungle_grain += self.gc.getWorldInfo(self.map.getWorldSize()).getFeatureGrainChange()
  1138.         forest_grain += self.gc.getWorldInfo(self.map.getWorldSize()).getFeatureGrainChange()
  1139.  
  1140.         self.jungle_grain = jungle_grain
  1141.         self.forest_grain = forest_grain
  1142.  
  1143.         self.fracXExp = fracXExp
  1144.         self.fracYExp = fracYExp
  1145.  
  1146.         self.__initFractals()
  1147.         self.__initFeatureTypes()
  1148.     
  1149.     def __initFractals(self):
  1150.         self.jungles.fracInit(self.iGridW, self.iGridH, self.jungle_grain, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  1151.         self.forests.fracInit(self.iGridW, self.iGridH, self.forest_grain, self.mapRand, self.iFlags, self.fracXExp, self.fracYExp)
  1152.         
  1153.         self.iJungleBottom = self.jungles.getHeightFromPercent((100 - self.iJunglePercent)/2)
  1154.         self.iJungleTop = self.jungles.getHeightFromPercent((100 + self.iJunglePercent)/2)
  1155.         self.iForestLevel = self.forests.getHeightFromPercent(self.iForestPercent)
  1156.         
  1157.     def __initFeatureTypes(self):
  1158.         self.featureIce = self.gc.getInfoTypeForString("FEATURE_ICE")
  1159.         self.featureJungle = self.gc.getInfoTypeForString("FEATURE_JUNGLE")
  1160.         self.featureForest = self.gc.getInfoTypeForString("FEATURE_FOREST")
  1161.         self.featureOasis = self.gc.getInfoTypeForString("FEATURE_OASIS")
  1162.  
  1163.     def addFeatures(self):
  1164.         "adds features to all plots as appropriate"
  1165.         for iX in range(self.iGridW):
  1166.             for iY in range(self.iGridH):
  1167.                 self.addFeaturesAtPlot(iX, iY)
  1168.  
  1169.     def getLatitudeAtPlot(self, iX, iY):
  1170.         "returns a value in the range of 0.0 (tropical) to 1.0 (polar)"
  1171.         return abs((self.iGridH/2) - iY)/float(self.iGridH/2) # 0.0 = equator, 1.0 = pole
  1172.  
  1173.     def addFeaturesAtPlot(self, iX, iY):
  1174.         "adds any appropriate features at the plot (iX, iY) where (0,0) is in the SW"
  1175.         lat = self.getLatitudeAtPlot(iX, iY)
  1176.         pPlot = self.map.sPlot(iX, iY)
  1177.  
  1178.         for iI in range(self.gc.getNumFeatureInfos()):
  1179.             if pPlot.canHaveFeature(iI):
  1180.                 if self.mapRand.get(10000, "Add Feature PYTHON") < self.gc.getFeatureInfo(iI).getAppearanceProbability():
  1181.                     pPlot.setFeatureType(iI, -1)
  1182.  
  1183.         if (pPlot.getFeatureType() == FeatureTypes.NO_FEATURE):
  1184.             self.addIceAtPlot(pPlot, iX, iY, lat)
  1185.             
  1186.         if (pPlot.getFeatureType() == FeatureTypes.NO_FEATURE):
  1187.             self.addJunglesAtPlot(pPlot, iX, iY, lat)
  1188.             
  1189.         if (pPlot.getFeatureType() == FeatureTypes.NO_FEATURE):
  1190.             self.addForestsAtPlot(pPlot, iX, iY, lat)
  1191.         
  1192.     def addIceAtPlot(self, pPlot, iX, iY, lat):
  1193.         if pPlot.canHaveFeature(self.featureIce):
  1194.             if (self.map.isWrapX() and not self.map.isWrapY()) and (iY == 0 or iY == self.iGridH - 1):
  1195.                 pPlot.setFeatureType(self.featureIce, -1)
  1196.             elif (self.map.isWrapY() and not self.map.isWrapX()) and (iX == 0 or iX == self.iGridW - 1):
  1197.                 pPlot.setFeatureType(self.featureIce, -1)
  1198.             else:
  1199.                 rand = self.mapRand.get(100, "Add Ice PYTHON")/100.0
  1200.                 if rand < 8 * (lat - (1.0 - (self.gc.getClimateInfo(self.map.getClimate()).getRandIceLatitude() / 2.0))):
  1201.                     pPlot.setFeatureType(self.featureIce, -1)
  1202.                 elif rand < 4 * (lat - (1.0 - self.gc.getClimateInfo(self.map.getClimate()).getRandIceLatitude())):
  1203.                     pPlot.setFeatureType(self.featureIce, -1)
  1204.     
  1205.     def addJunglesAtPlot(self, pPlot, iX, iY, lat):
  1206.         if pPlot.canHaveFeature(self.featureJungle):
  1207.             iJungleHeight = self.jungles.getHeight(iX, iY)
  1208.             if self.iJungleTop >= iJungleHeight >= self.iJungleBottom + (self.iJungleTop - self.iJungleBottom)*self.gc.getClimateInfo(self.map.getClimate()).getJungleLatitude()*lat:
  1209.                 pPlot.setFeatureType(self.featureJungle, -1)
  1210.     
  1211.     def addForestsAtPlot(self, pPlot, iX, iY, lat):
  1212.         if pPlot.canHaveFeature(self.featureForest):
  1213.             if self.forests.getHeight(iX, iY) >= self.iForestLevel:
  1214.                 pPlot.setFeatureType(self.featureForest, -1)
  1215.  
  1216. def getAreas():
  1217.     "Returns a list of CyArea objects representing all the areas in the map (land and water)"
  1218.     gc = CyGlobalContext()
  1219.     map = CyMap()
  1220.     
  1221.     areas = []
  1222.     for i in range(map.getIndexAfterLastArea()):
  1223.         area = map.getArea(i)
  1224.         if not area.isNone():
  1225.             areas.append(area)
  1226.             
  1227.     return areas
  1228.  
  1229. def findStartingPlot(playerID, validFn = None):
  1230.     gc = CyGlobalContext()
  1231.     map = CyMap()
  1232.     player = gc.getPlayer(playerID)
  1233.  
  1234.     player.AI_updateFoundValues(True)
  1235.  
  1236.     iRange = player.startingPlotRange()
  1237.     iPass = 0
  1238.  
  1239.     while (true):
  1240.         iBestValue = 0
  1241.         pBestPlot = None
  1242.         
  1243.         for iX in range(map.getGridWidth()):
  1244.             for iY in range(map.getGridHeight()):
  1245.                 if validFn != None and not validFn(playerID, iX, iY):
  1246.                     continue
  1247.                 pLoopPlot = map.plot(iX, iY)
  1248.  
  1249.                 val = pLoopPlot.getFoundValue(playerID)
  1250.  
  1251.                 if val > iBestValue:
  1252.                 
  1253.                     valid = True
  1254.                     
  1255.                     for iI in range(gc.getMAX_CIV_PLAYERS()):
  1256.                         if (gc.getPlayer(iI).isAlive()):
  1257.                             if (iI != playerID):
  1258.                                 if gc.getPlayer(iI).startingPlotWithinRange(pLoopPlot, playerID, iRange, iPass):
  1259.                                     valid = False
  1260.                                     break
  1261.  
  1262.                     if valid:
  1263.                             iBestValue = val
  1264.                             pBestPlot = pLoopPlot
  1265.  
  1266.         if pBestPlot != None:
  1267.             return map.plotNum(pBestPlot.getX(), pBestPlot.getY())
  1268.             
  1269.         print "player", playerID, "pass", iPass, "failed"
  1270.         
  1271.         iPass += 1
  1272.  
  1273.     return -1
  1274.  
  1275. def argmin(list):
  1276.     best = None
  1277.     best_index = None
  1278.     for i in range(len(list)):
  1279.         val = list[i]
  1280.         if (best == None) or (val < best):
  1281.             best_index = i
  1282.             best = val
  1283.     return (best_index, best)
  1284.  
  1285. def pointInRect(point, rect):
  1286.     x,y=point
  1287.     rectx,recty,rectw,recth = rect
  1288.     if rectx <= x < rectx + rectw:
  1289.         if recty <= y < recty + recth:
  1290.             return True
  1291.     return False
  1292.