hodRing.py
上传用户:quxuerui
上传日期:2018-01-08
资源大小:41811k
文件大小:32k
源码类别:

网格计算

开发平台:

Java

  1. #Licensed to the Apache Software Foundation (ASF) under one
  2. #or more contributor license agreements.  See the NOTICE file
  3. #distributed with this work for additional information
  4. #regarding copyright ownership.  The ASF licenses this file
  5. #to you under the Apache License, Version 2.0 (the
  6. #"License"); you may not use this file except in compliance
  7. #with the License.  You may obtain a copy of the License at
  8. #     http://www.apache.org/licenses/LICENSE-2.0
  9. #Unless required by applicable law or agreed to in writing, software
  10. #distributed under the License is distributed on an "AS IS" BASIS,
  11. #WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  12. #See the License for the specific language governing permissions and
  13. #limitations under the License.
  14. #!/usr/bin/env python
  15. """hodring launches hadoop commands on work node and 
  16.  cleans up all the work dirs afterward
  17. """
  18. # -*- python -*-
  19. import os, sys, time, shutil, getpass, xml.dom.minidom, xml.dom.pulldom
  20. import socket, sets, urllib, csv, signal, pprint, random, re, httplib
  21. from xml.dom import getDOMImplementation
  22. from pprint import pformat
  23. from optparse import OptionParser
  24. from urlparse import urlparse
  25. from hodlib.Common.util import local_fqdn, parseEquals, getMapredSystemDirectory, isProcessRunning
  26. from hodlib.Common.tcp import tcpSocket, tcpError 
  27. binfile = sys.path[0]
  28. libdir = os.path.dirname(binfile)
  29. sys.path.append(libdir)
  30. import hodlib.Common.logger
  31. from hodlib.GridServices.service import *
  32. from hodlib.Common.util import *
  33. from hodlib.Common.socketServers import threadedHTTPServer
  34. from hodlib.Common.hodsvc import hodBaseService
  35. from hodlib.Common.threads import simpleCommand
  36. from hodlib.Common.xmlrpc import hodXRClient
  37. mswindows = (sys.platform == "win32")
  38. originalcwd = os.getcwd()
  39. reHdfsURI = re.compile("hdfs://(.*?:d+)(.*)")
  40. class CommandDesc:
  41.   """A class that represents the commands that
  42.   are run by hodring"""
  43.   def __init__(self, dict, log):
  44.     self.log = log
  45.     self.log.debug("In command desc")
  46.     self.log.debug("Done in command desc")
  47.     dict.setdefault('argv', [])
  48.     dict.setdefault('version', None)
  49.     dict.setdefault('envs', {})
  50.     dict.setdefault('workdirs', [])
  51.     dict.setdefault('attrs', {})
  52.     dict.setdefault('final-attrs', {})
  53.     dict.setdefault('fg', False)
  54.     dict.setdefault('ignorefailures', False)
  55.     dict.setdefault('stdin', None)
  56.     self.log.debug("Printing dict")
  57.     self._checkRequired(dict)
  58.     self.dict = dict
  59.   def _checkRequired(self, dict):
  60.     if 'name' not in dict:
  61.       raise ValueError, "Command description lacks 'name'"
  62.     if 'program' not in dict:
  63.       raise ValueError, "Command description lacks 'program'"
  64.     if 'pkgdirs' not in dict:
  65.       raise ValueError, "Command description lacks 'pkgdirs'"
  66.   def getName(self):
  67.     return self.dict['name']
  68.   def getProgram(self):
  69.     return self.dict['program']
  70.   def getArgv(self):
  71.     return self.dict['argv']
  72.   def getVersion(self):
  73.     return self.dict['version']
  74.   def getEnvs(self):
  75.     return self.dict['envs']
  76.   def getPkgDirs(self):
  77.     return self.dict['pkgdirs']
  78.   def getWorkDirs(self):
  79.     return self.dict['workdirs']
  80.   def getAttrs(self):
  81.     return self.dict['attrs']
  82.   def getfinalAttrs(self):
  83.     return self.dict['final-attrs']
  84.   
  85.   def isForeground(self):
  86.     return self.dict['fg']
  87.   def isIgnoreFailures(self):
  88.     return self.dict['ignorefailures']
  89.   def getStdin(self):
  90.     return self.dict['stdin']
  91.   def parseDesc(str):
  92.     dict = CommandDesc._parseMap(str)
  93.     dict['argv'] = CommandDesc._parseList(dict['argv'])
  94.     dict['envs'] = CommandDesc._parseMap(dict['envs'])
  95.     dict['pkgdirs'] = CommandDesc._parseList(dict['pkgdirs'], ':')
  96.     dict['workdirs'] = CommandDesc._parseList(dict['workdirs'], ':')
  97.     dict['attrs'] = CommandDesc._parseMap(dict['attrs'])
  98.     dict['final-attrs'] = CommandDesc._parseMap(dict['final-attrs'])
  99.     return CommandDesc(dict)
  100.   parseDesc = staticmethod(parseDesc)
  101.   def _parseList(str, delim = ','):
  102.     list = []
  103.     for row in csv.reader([str], delimiter=delim, escapechar='\', 
  104.                           quoting=csv.QUOTE_NONE, doublequote=False):
  105.       list.extend(row)
  106.     return list
  107.   _parseList = staticmethod(_parseList)
  108.   def _parseMap(str):
  109.     """Parses key value pairs"""
  110.     dict = {}
  111.     for row in csv.reader([str], escapechar='\', quoting=csv.QUOTE_NONE, doublequote=False):
  112.       for f in row:
  113.         [k, v] = f.split('=', 1)
  114.         dict[k] = v
  115.     return dict
  116.   _parseMap = staticmethod(_parseMap)
  117. class MRSystemDirectoryManager:
  118.   """Class that is responsible for managing the MapReduce system directory"""
  119.   def __init__(self, jtPid, mrSysDir, fsName, hadoopPath, log, retries=120):
  120.     self.__jtPid = jtPid
  121.     self.__mrSysDir = mrSysDir
  122.     self.__fsName = fsName
  123.     self.__hadoopPath = hadoopPath
  124.     self.__log = log
  125.     self.__retries = retries
  126.   def toCleanupArgs(self):
  127.     return " --jt-pid %s --mr-sys-dir %s --fs-name %s --hadoop-path %s " 
  128.               % (self.__jtPid, self.__mrSysDir, self.__fsName, self.__hadoopPath)
  129.   def removeMRSystemDirectory(self):
  130.     
  131.     jtActive = isProcessRunning(self.__jtPid)
  132.     count = 0 # try for a max of a minute for the process to end
  133.     while jtActive and (count<self.__retries):
  134.       time.sleep(0.5)
  135.       jtActive = isProcessRunning(self.__jtPid)
  136.       count += 1
  137.     
  138.     if count == self.__retries:
  139.       self.__log.warn('Job Tracker did not exit even after a minute. Not going to try and cleanup the system directory')
  140.       return
  141.     self.__log.debug('jt is now inactive')
  142.     cmd = "%s dfs -fs hdfs://%s -rmr %s" % (self.__hadoopPath, self.__fsName, 
  143.                                             self.__mrSysDir)
  144.     self.__log.debug('Command to run to remove system directory: %s' % (cmd))
  145.     try:
  146.       hadoopCommand = simpleCommand('mr-sys-dir-cleaner', cmd)
  147.       hadoopCommand.start()
  148.       hadoopCommand.wait()
  149.       hadoopCommand.join()
  150.       ret = hadoopCommand.exit_code()
  151.       if ret != 0:
  152.         self.__log.warn("Error in removing MapReduce system directory '%s' from '%s' using path '%s'" 
  153.                           % (self.__mrSysDir, self.__fsName, self.__hadoopPath))
  154.         self.__log.warn(pprint.pformat(hadoopCommand.output()))
  155.       else:
  156.         self.__log.info("Removed MapReduce system directory successfully.")
  157.     except:
  158.       self.__log.error('Exception while cleaning up MapReduce system directory. May not be cleaned up. %s', 
  159.                           get_exception_error_string())
  160.       self.__log.debug(get_exception_string())
  161. def createMRSystemDirectoryManager(dict, log):
  162.   keys = [ 'jt-pid', 'mr-sys-dir', 'fs-name', 'hadoop-path' ]
  163.   for key in keys:
  164.     if (not dict.has_key(key)) or (dict[key] is None):
  165.       return None
  166.   mrSysDirManager = MRSystemDirectoryManager(int(dict['jt-pid']), dict['mr-sys-dir'], 
  167.                                               dict['fs-name'], dict['hadoop-path'], log)
  168.   return mrSysDirManager
  169. class HadoopCommand:
  170.   """Runs a single hadoop command"""
  171.     
  172.   def __init__(self, id, desc, tempdir, tardir, log, javahome, 
  173.                 mrSysDir, restart=False):
  174.     self.desc = desc
  175.     self.log = log
  176.     self.javahome = javahome
  177.     self.__mrSysDir = mrSysDir
  178.     self.program = desc.getProgram()
  179.     self.name = desc.getName()
  180.     self.workdirs = desc.getWorkDirs()
  181.     self.hadoopdir = tempdir
  182.     self.confdir = os.path.join(self.hadoopdir, '%d-%s' % (id, self.name), 
  183.                                 "confdir")
  184.     self.logdir = os.path.join(self.hadoopdir, '%d-%s' % (id, self.name), 
  185.                                "logdir")
  186.     self.out = os.path.join(self.logdir, '%s.out' % self.name)
  187.     self.err = os.path.join(self.logdir, '%s.err' % self.name)
  188.     self.child = None
  189.     self.restart = restart
  190.     self.filledInKeyVals = []
  191.     self._createWorkDirs()
  192.     self._createHadoopSiteXml()
  193.     self._createHadoopLogDir()
  194.     self.__hadoopThread = None
  195.     self.stdErrContents = "" # store list of contents for returning to user
  196.   def _createWorkDirs(self):
  197.     for dir in self.workdirs:
  198.       if os.path.exists(dir):
  199.         if not os.access(dir, os.F_OK | os.R_OK | os.W_OK | os.X_OK):
  200.           raise ValueError, "Workdir %s does not allow rwx permission." % (dir)
  201.         continue
  202.       try:
  203.         os.makedirs(dir)
  204.       except:
  205.         pass
  206.   def getFilledInKeyValues(self):
  207.     return self.filledInKeyVals
  208.   def createXML(self, doc, attr, topElement, final):
  209.     for k,v in attr.iteritems():
  210.       self.log.debug('_createHadoopSiteXml: ' + str(k) + " " + str(v))
  211.       if ( v == "fillinport" ):
  212.         v = "%d" % (ServiceUtil.getUniqRandomPort(low=50000, log=self.log))
  213.       keyvalpair = ''
  214.       if isinstance(v, (tuple, list)):
  215.         for item in v:
  216.           keyvalpair = "%s%s=%s," % (keyvalpair, k, item)
  217.         keyvalpair = keyvalpair[:-1]
  218.       else:
  219.         keyvalpair = k + '=' + v
  220.       self.filledInKeyVals.append(keyvalpair)
  221.       if(k == "mapred.job.tracker"): # total hack for time's sake
  222.         keyvalpair = k + "=" + v
  223.         self.filledInKeyVals.append(keyvalpair)
  224.       if ( v == "fillinhostport"):
  225.         port = "%d" % (ServiceUtil.getUniqRandomPort(low=50000, log=self.log))
  226.         self.log.debug('Setting hostname to: %s' % local_fqdn())
  227.         v = local_fqdn() + ':' + port
  228.       
  229.       keyvalpair = ''
  230.       if isinstance(v, (tuple, list)):
  231.         for item in v:
  232.           keyvalpair = "%s%s=%s," % (keyvalpair, k, item)
  233.         keyvalpair = keyvalpair[:-1]
  234.       else:
  235.         keyvalpair = k + '=' + v
  236.       
  237.       self.filledInKeyVals.append(keyvalpair)
  238.       if ( v == "fillindir"):
  239.         v = self.__mrSysDir
  240.         pass
  241.       
  242.       prop = None
  243.       if isinstance(v, (tuple, list)):
  244.         for item in v:
  245.           prop = self._createXmlElement(doc, k, item, "No description", final)
  246.           topElement.appendChild(prop)
  247.       else:
  248.         if k == 'fs.default.name':
  249.           prop = self._createXmlElement(doc, k, "hdfs://" + v, "No description", final)
  250.         else:
  251.           prop = self._createXmlElement(doc, k, v, "No description", final)
  252.         topElement.appendChild(prop)
  253.   def _createHadoopSiteXml(self):
  254.     if self.restart:
  255.       if not os.path.exists(self.confdir):
  256.         os.makedirs(self.confdir)
  257.     else:
  258.       assert os.path.exists(self.confdir) == False
  259.       os.makedirs(self.confdir)
  260.     implementation = getDOMImplementation()
  261.     doc = implementation.createDocument('', 'configuration', None)
  262.     comment = doc.createComment("This is an auto generated hadoop-site.xml, do not modify")
  263.     topElement = doc.documentElement
  264.     topElement.appendChild(comment)
  265.     
  266.     finalAttr = self.desc.getfinalAttrs()
  267.     self.createXML(doc, finalAttr, topElement, True)
  268.     attr = {}
  269.     attr1 = self.desc.getAttrs()
  270.     for k,v in attr1.iteritems():
  271.       if not finalAttr.has_key(k):
  272.         attr[k] = v
  273.     self.createXML(doc, attr, topElement, False)
  274.               
  275.     
  276.     siteName = os.path.join(self.confdir, "hadoop-site.xml")
  277.     sitefile = file(siteName, 'w')
  278.     print >> sitefile, topElement.toxml()
  279.     sitefile.close()
  280.     self.log.debug('created %s' % (siteName))
  281.   def _createHadoopLogDir(self):
  282.     if self.restart:
  283.       if not os.path.exists(self.logdir):
  284.         os.makedirs(self.logdir)
  285.     else:
  286.       assert os.path.exists(self.logdir) == False
  287.       os.makedirs(self.logdir)
  288.   def _createXmlElement(self, doc, name, value, description, final):
  289.     prop = doc.createElement("property")
  290.     nameP = doc.createElement("name")
  291.     string = doc.createTextNode(name)
  292.     nameP.appendChild(string)
  293.     valueP = doc.createElement("value")
  294.     string = doc.createTextNode(value)
  295.     valueP.appendChild(string)
  296.     desc = doc.createElement("description")
  297.     string = doc.createTextNode(description)
  298.     desc.appendChild(string)
  299.     prop.appendChild(nameP)
  300.     prop.appendChild(valueP)
  301.     prop.appendChild(desc)
  302.     if (final):
  303.       felement = doc.createElement("final")
  304.       string = doc.createTextNode("true")
  305.       felement.appendChild(string)
  306.       prop.appendChild(felement)
  307.       pass
  308.     
  309.     return prop
  310.   def getMRSystemDirectoryManager(self):
  311.     return MRSystemDirectoryManager(self.__hadoopThread.getPid(), self.__mrSysDir, 
  312.                                     self.desc.getfinalAttrs()['fs.default.name'], 
  313.                                     self.path, self.log)
  314.   def run(self, dir):
  315.     status = True
  316.     args = []
  317.     desc = self.desc
  318.     
  319.     self.log.debug(pprint.pformat(desc.dict))
  320.     
  321.     
  322.     self.log.debug("Got package dir of %s" % dir)
  323.     
  324.     self.path = os.path.join(dir, self.program)
  325.     
  326.     self.log.debug("path: %s" % self.path)
  327.     args.append(self.path)
  328.     args.extend(desc.getArgv())
  329.     envs = desc.getEnvs()
  330.     fenvs = os.environ
  331.     
  332.     for k, v in envs.iteritems():
  333.       fenvs[k] = v
  334.     
  335.     if envs.has_key('HADOOP_OPTS'):
  336.       fenvs['HADOOP_OPTS'] = envs['HADOOP_OPTS']
  337.       self.log.debug("HADOOP_OPTS : %s" % fenvs['HADOOP_OPTS'])
  338.     
  339.     fenvs['JAVA_HOME'] = self.javahome
  340.     fenvs['HADOOP_CONF_DIR'] = self.confdir
  341.     fenvs['HADOOP_LOG_DIR'] = self.logdir
  342.     self.log.info(pprint.pformat(fenvs))
  343.     hadoopCommand = ''
  344.     for item in args:
  345.         hadoopCommand = "%s%s " % (hadoopCommand, item)
  346.     # Redirecting output and error to self.out and self.err
  347.     hadoopCommand = hadoopCommand + ' 1>%s 2>%s ' % (self.out, self.err)
  348.         
  349.     self.log.debug('running command: %s' % (hadoopCommand)) 
  350.     self.log.debug('hadoop env: %s' % fenvs)
  351.     self.log.debug('Command stdout will be redirected to %s ' % self.out + 
  352.                    'and command stderr to %s' % self.err)
  353.     self.__hadoopThread = simpleCommand('hadoop', hadoopCommand, env=fenvs)
  354.     self.__hadoopThread.start()
  355.     
  356.     while self.__hadoopThread.stdin == None:
  357.       time.sleep(.2)
  358.       self.log.debug("hadoopThread still == None ...")
  359.     
  360.     input = desc.getStdin()
  361.     self.log.debug("hadoop input: %s" % input)
  362.     if input:
  363.       if self.__hadoopThread.is_running():
  364.         print >>self.__hadoopThread.stdin, input
  365.       else:
  366.         self.log.error("hadoop command failed to start")
  367.     
  368.     self.__hadoopThread.stdin.close()  
  369.     
  370.     self.log.debug("isForground: %s" % desc.isForeground())
  371.     if desc.isForeground():
  372.       self.log.debug("Waiting on hadoop to finish...")
  373.       self.__hadoopThread.wait()
  374.       
  375.       self.log.debug("Joining hadoop thread...")
  376.       self.__hadoopThread.join()
  377.       if self.__hadoopThread.exit_code() != 0:
  378.         status = False
  379.     else:
  380.       status = self.getCommandStatus()
  381.         
  382.     self.log.debug("hadoop run status: %s" % status)    
  383.     
  384.     if status == False:
  385.       self.handleFailedCommand()
  386.    
  387.     if (status == True) or (not desc.isIgnoreFailures()):
  388.       return status
  389.     else:
  390.       self.log.error("Ignoring Failure")
  391.       return True
  392.   def kill(self):
  393.     self.__hadoopThread.kill()
  394.     if self.__hadoopThread:
  395.       self.__hadoopThread.join()
  396.   def addCleanup(self, list):
  397.     list.extend(self.workdirs)
  398.     list.append(self.confdir)
  399.   def getCommandStatus(self):
  400.     status = True
  401.     ec = self.__hadoopThread.exit_code()
  402.     if (ec != 0) and (ec != None):
  403.       status = False
  404.     return status
  405.   def handleFailedCommand(self):
  406.     self.log.error('hadoop error: %s' % (
  407.                      self.__hadoopThread.exit_status_string()))
  408.     # read the contents of redirected stderr to print information back to user
  409.     if os.path.exists(self.err):
  410.       f = None
  411.       try:
  412.         f = open(self.err)
  413.         lines = f.readlines()
  414.         # format
  415.         for line in lines:
  416.           self.stdErrContents = "%s%s" % (self.stdErrContents, line)
  417.       finally:
  418.         if f is not None:
  419.           f.close()
  420.     self.log.error('See %s.out and/or %s.err for details. They are ' % 
  421.                    (self.name, self.name) + 
  422.                    'located at subdirectories under either ' + 
  423.                    'hodring.work-dirs or hodring.log-destination-uri.')
  424. class HodRing(hodBaseService):
  425.   """The main class for hodring that
  426.   polls the commands it runs"""
  427.   def __init__(self, config):
  428.     hodBaseService.__init__(self, 'hodring', config['hodring'])
  429.     self.log = self.logs['main']
  430.     self._http = None
  431.     self.__pkg = None
  432.     self.__pkgDir = None 
  433.     self.__tempDir = None
  434.     self.__running = {}
  435.     self.__hadoopLogDirs = []
  436.     self.__init_temp_dir()
  437.   def __init_temp_dir(self):
  438.     self.__tempDir = os.path.join(self._cfg['temp-dir'], 
  439.                                   "%s.%s.hodring" % (self._cfg['userid'], 
  440.                                                       self._cfg['service-id']))
  441.     if not os.path.exists(self.__tempDir):
  442.       os.makedirs(self.__tempDir)
  443.     os.chdir(self.__tempDir)  
  444.   def __fetch(self, url, spath):
  445.     retry = 3
  446.     success = False
  447.     while (retry != 0 and success != True):
  448.       try:
  449.         input = urllib.urlopen(url)
  450.         bufsz = 81920
  451.         buf = input.read(bufsz)
  452.         out = open(spath, 'w')
  453.         while len(buf) > 0:
  454.           out.write(buf)
  455.           buf = input.read(bufsz)
  456.         input.close()
  457.         out.close()
  458.         success = True
  459.       except:
  460.         self.log.debug("Failed to copy file")
  461.         retry = retry - 1
  462.     if (retry == 0 and success != True):
  463.       raise IOError, "Failed to copy the files"
  464.       
  465.   def __get_name(self, addr):
  466.     parsedUrl = urlparse(addr)
  467.     path = parsedUrl[2]
  468.     split = path.split('/', 1)
  469.     return split[1]
  470.   def __get_dir(self, name):
  471.     """Return the root directory inside the tarball
  472.     specified by name. Assumes that the tarball begins
  473.     with a root directory."""
  474.     import tarfile
  475.     myTarFile = tarfile.open(name)
  476.     hadoopPackage = myTarFile.getnames()[0]
  477.     self.log.debug("tarball name : %s hadoop package name : %s" %(name,hadoopPackage))
  478.     return hadoopPackage
  479.   def getRunningValues(self):
  480.     return self.__running.values()
  481.   def getTempDir(self):
  482.     return self.__tempDir
  483.   def getHadoopLogDirs(self):
  484.     return self.__hadoopLogDirs
  485.  
  486.   def __download_package(self, ringClient):
  487.     self.log.debug("Found download address: %s" % 
  488.                    self._cfg['download-addr'])
  489.     try:
  490.       addr = 'none'
  491.       downloadTime = self._cfg['tarball-retry-initial-time']           # download time depends on tarball size and network bandwidth
  492.       
  493.       increment = 0
  494.       
  495.       addr = ringClient.getTarList(self.hostname)
  496.       while(addr == 'none'):
  497.         rand = self._cfg['tarball-retry-initial-time'] + increment + 
  498.                         random.uniform(0,self._cfg['tarball-retry-interval'])
  499.         increment = increment + 1
  500.         self.log.debug("got no tarball. Retrying again in %s seconds." % rand)
  501.         time.sleep(rand)
  502.         addr = ringClient.getTarList(self.hostname)
  503.     
  504.       self.log.debug("got this address %s" % addr)
  505.       
  506.       tarName = self.__get_name(addr)
  507.       self.log.debug("tar package name: %s" % tarName)
  508.       
  509.       fetchPath = os.path.join(os.getcwd(), tarName) 
  510.       self.log.debug("fetch path: %s" % fetchPath)
  511.       
  512.       self.__fetch(addr, fetchPath)
  513.       self.log.debug("done fetching")
  514.     
  515.       tarUrl = "http://%s:%d/%s" % (self._http.server_address[0], 
  516.                                     self._http.server_address[1], 
  517.                                     tarName)
  518.       try: 
  519.         ringClient.registerTarSource(self.hostname, tarUrl,addr)
  520.         #ringClient.tarDone(addr)
  521.       except KeyError, e:
  522.         self.log.error("registerTarSource and tarDone failed: ", e)
  523.         raise KeyError(e)
  524.       
  525.       check = untar(fetchPath, os.getcwd())
  526.       
  527.       if (check == False):
  528.         raise IOError, "Untarring failed."
  529.       
  530.       self.__pkg = self.__get_dir(tarName)
  531.       self.__pkgDir = os.path.join(os.getcwd(), self.__pkg)      
  532.     except Exception, e:
  533.       self.log.error("Failed download tar package: %s" % 
  534.                      get_exception_error_string())
  535.       raise Exception(e)
  536.       
  537.   def __run_hadoop_commands(self, restart=True):
  538.     id = 0
  539.     for desc in self._cfg['commanddesc']:
  540.       self.log.debug(pprint.pformat(desc.dict))
  541.       mrSysDir = getMapredSystemDirectory(self._cfg['mapred-system-dir-root'],
  542.                           self._cfg['userid'], self._cfg['service-id'])
  543.       self.log.debug('mrsysdir is %s' % mrSysDir)
  544.       cmd = HadoopCommand(id, desc, self.__tempDir, self.__pkgDir, self.log, 
  545.                           self._cfg['java-home'], mrSysDir, restart)
  546.     
  547.       self.__hadoopLogDirs.append(cmd.logdir)
  548.       self.log.debug("hadoop log directory: %s" % self.__hadoopLogDirs)
  549.       
  550.       try:
  551.         # if the tarball isn't there, we use the pkgs dir given.
  552.         if self.__pkgDir == None:
  553.           pkgdir = desc.getPkgDirs()
  554.         else:
  555.           pkgdir = self.__pkgDir
  556.         self.log.debug('This is the packcage dir %s ' % (pkgdir))
  557.         if not cmd.run(pkgdir):
  558.           addnInfo = ""
  559.           if cmd.stdErrContents is not "":
  560.             addnInfo = " Information from stderr of the command:n%s" % (cmd.stdErrContents)
  561.           raise Exception("Could not launch the %s using %s/bin/hadoop.%s" % (desc.getName(), pkgdir, addnInfo))
  562.       except Exception, e:
  563.         self.log.debug("Exception running hadoop command: %sn%s" % (get_exception_error_string(), get_exception_string()))
  564.         self.__running[id] = cmd
  565.         raise Exception(e)
  566.       id += 1
  567.       if desc.isForeground():
  568.         continue
  569.       self.__running[id-1] = cmd
  570.       # ok.. now command is running. If this HodRing got jobtracker, 
  571.       # Check if it is ready for accepting jobs, and then only return
  572.       self.__check_jobtracker(desc, id-1, pkgdir)
  573.       
  574.   def __check_jobtracker(self, desc, id, pkgdir):
  575.     # Check jobtracker status. Return properly if it is ready to accept jobs.
  576.     # Currently Checks for Jetty to come up, the last thing that can be checked
  577.     # before JT completes initialisation. To be perfectly reliable, we need 
  578.     # hadoop support
  579.     name = desc.getName()
  580.     if name == 'jobtracker':
  581.       # Yes I am the Jobtracker
  582.       self.log.debug("Waiting for jobtracker to initialise")
  583.       version = desc.getVersion()
  584.       self.log.debug("jobtracker version : %s" % version)
  585.       hadoopCmd = self.getRunningValues()[id]
  586.       attrs = hadoopCmd.getFilledInKeyValues()
  587.       attrs = parseEquals(attrs)
  588.       jobTrackerAddr = attrs['mapred.job.tracker']
  589.       self.log.debug("jobtracker rpc server : %s" % jobTrackerAddr)
  590.       if version < 16:
  591.         jettyAddr = jobTrackerAddr.split(':')[0] + ':' + 
  592.                               attrs['mapred.job.tracker.info.port']
  593.       else:
  594.         jettyAddr = attrs['mapred.job.tracker.http.address']
  595.       self.log.debug("Jobtracker jetty : %s" % jettyAddr)
  596.       # Check for Jetty to come up
  597.       # For this do a http head, and then look at the status
  598.       defaultTimeout = socket.getdefaulttimeout()
  599.       # socket timeout isn`t exposed at httplib level. Setting explicitly.
  600.       socket.setdefaulttimeout(1)
  601.       sleepTime = 0.5
  602.       jettyStatus = False
  603.       jettyStatusmsg = ""
  604.       while sleepTime <= 32:
  605.         # There is a possibility that the command might fail after a while.
  606.         # This code will check if the command failed so that a better
  607.         # error message can be returned to the user.
  608.         if not hadoopCmd.getCommandStatus():
  609.           self.log.critical('Hadoop command found to have failed when ' 
  610.                             'checking for jobtracker status')
  611.           hadoopCmd.handleFailedCommand()
  612.           addnInfo = ""
  613.           if hadoopCmd.stdErrContents is not "":
  614.             addnInfo = " Information from stderr of the command:n%s" 
  615.                                         % (hadoopCmd.stdErrContents)
  616.           raise Exception("Could not launch the %s using %s/bin/hadoop.%s" 
  617.                                         % (desc.getName(), pkgdir, addnInfo))
  618.           
  619.         try:
  620.           jettyConn = httplib.HTTPConnection(jettyAddr)
  621.           jettyConn.request("HEAD", "/jobtracker.jsp")
  622.           # httplib inherently retries the following till socket timeout
  623.           resp = jettyConn.getresponse()
  624.           if resp.status != 200:
  625.             # Some problem?
  626.             jettyStatus = False
  627.             jettyStatusmsg = "Jetty gave a non-200 response to a HTTP-HEAD" +
  628.                              " request. HTTP Status (Code, Msg): (%s, %s)" % 
  629.                              ( resp.status, resp.reason )
  630.             break
  631.           else:
  632.             self.log.info("Jetty returned a 200 status (%s)" % resp.reason)
  633.             self.log.info("JobTracker successfully initialised")
  634.             return
  635.         except socket.error:
  636.           self.log.debug("Jetty gave a socket error. Sleeping for %s" 
  637.                                                                   % sleepTime)
  638.           time.sleep(sleepTime)
  639.           sleepTime = sleepTime * 2
  640.         except Exception, e:
  641.           jettyStatus = False
  642.           jettyStatusmsg = ("Process(possibly other than jetty) running on" + 
  643.                   " port assigned to jetty is returning invalid http response")
  644.           break
  645.       socket.setdefaulttimeout(defaultTimeout)
  646.       if not jettyStatus:
  647.         self.log.critical("Jobtracker failed to initialise.")
  648.         if jettyStatusmsg:
  649.           self.log.critical( "Reason: %s" % jettyStatusmsg )
  650.         else: self.log.critical( "Reason: Jetty failed to give response")
  651.         raise Exception("JobTracker failed to initialise")
  652.   def stop(self):
  653.     self.log.debug("Entered hodring stop.")
  654.     if self._http: 
  655.       self.log.debug("stopping http server...")
  656.       self._http.stop()
  657.     
  658.     self.log.debug("call hodsvcrgy stop...")
  659.     hodBaseService.stop(self)
  660.     
  661.   def _xr_method_clusterStart(self, initialize=True):
  662.     return self.clusterStart(initialize)
  663.   def _xr_method_clusterStop(self):
  664.     return self.clusterStop()
  665.  
  666.   def start(self):
  667.     """Run and maintain hodring commands"""
  668.     
  669.     try:
  670.       if self._cfg.has_key('download-addr'):
  671.         self._http = threadedHTTPServer('', self._cfg['http-port-range'])
  672.         self.log.info("Starting http server...")
  673.         self._http.serve_forever()
  674.         self.log.debug("http://%s:%d" % (self._http.server_address[0],
  675.                      self._http.server_address[1]))
  676.       
  677.       hodBaseService.start(self)
  678.       
  679.       ringXRAddress = None
  680.       if self._cfg.has_key('ringmaster-xrs-addr'):
  681.         ringXRAddress = "http://%s:%s/" % (self._cfg['ringmaster-xrs-addr'][0],
  682.                           self._cfg['ringmaster-xrs-addr'][1])
  683.         self.log.debug("Ringmaster at %s" % ringXRAddress)
  684.       self.log.debug("Creating service registry XML-RPC client.")
  685.       serviceClient = hodXRClient(to_http_url(
  686.                                   self._cfg['svcrgy-addr']))
  687.       if ringXRAddress == None:
  688.         self.log.info("Did not get ringmaster XML-RPC address. Fetching information from service registry.")
  689.         ringList = serviceClient.getServiceInfo(self._cfg['userid'], 
  690.             self._cfg['service-id'], 'ringmaster', 'hod')
  691.       
  692.         self.log.debug(pprint.pformat(ringList))
  693.       
  694.         if len(ringList):
  695.           if isinstance(ringList, list):
  696.             ringXRAddress = ringList[0]['xrs']
  697.       
  698.         count = 0
  699.         while (ringXRAddress == None and count < 3000):
  700.           ringList = serviceClient.getServiceInfo(self._cfg['userid'], 
  701.             self._cfg['service-id'], 'ringmaster', 'hod')
  702.         
  703.           if len(ringList):
  704.             if isinstance(ringList, list):
  705.               ringXRAddress = ringList[0]['xrs']
  706.         
  707.           count = count + 1
  708.           time.sleep(.2)
  709.       
  710.       if ringXRAddress == None:
  711.         raise Exception("Could not get ringmaster XML-RPC server address.")
  712.         
  713.       self.log.debug("Creating ringmaster XML-RPC client.")
  714.       ringClient = hodXRClient(ringXRAddress)    
  715.       
  716.       id = self.hostname + "_" + str(os.getpid())
  717.       
  718.       if 'download-addr' in self._cfg:
  719.         self.__download_package(ringClient)
  720.       else:
  721.         self.log.debug("Did not find a download address.")
  722.           
  723.       cmdlist = []
  724.       firstTime = True
  725.       increment = 0
  726.       hadoopStartupTime = 2
  727.        
  728.       cmdlist = ringClient.getCommand(id)
  729.       while (cmdlist == []):
  730.         if firstTime:
  731.           sleepTime = increment + self._cfg['cmd-retry-initial-time'] + hadoopStartupTime
  732.                         + random.uniform(0,self._cfg['cmd-retry-interval'])
  733.           firstTime = False
  734.         else:
  735.           sleepTime = increment + self._cfg['cmd-retry-initial-time'] + 
  736.                         + random.uniform(0,self._cfg['cmd-retry-interval'])
  737.         self.log.debug("Did not get command list. Waiting for %s seconds." % (sleepTime))
  738.         time.sleep(sleepTime)
  739.         increment = increment + 1
  740.         cmdlist = ringClient.getCommand(id)
  741.       self.log.debug(pformat(cmdlist)) 
  742.       cmdDescs = []
  743.       for cmds in cmdlist:
  744.         cmdDescs.append(CommandDesc(cmds['dict'], self.log))
  745.   
  746.       self._cfg['commanddesc'] = cmdDescs
  747.       
  748.       self.log.info("Running hadoop commands...")
  749.       self.__run_hadoop_commands(False)
  750.         
  751.       masterParams = []
  752.       for k, cmd in self.__running.iteritems():
  753.         masterParams.extend(cmd.filledInKeyVals)
  754.   
  755.       self.log.debug("printing getparams")
  756.       self.log.debug(pformat(id))
  757.       self.log.debug(pformat(masterParams))
  758.       # when this is on a required host, the ringMaster already has our masterParams
  759.       if(len(masterParams) > 0):
  760.         ringClient.addMasterParams(id, masterParams)
  761.     except Exception, e:
  762.       raise Exception(e)
  763.   def clusterStart(self, initialize=True):
  764.     """Start a stopped mapreduce/dfs cluster"""
  765.     if initialize:
  766.       self.log.debug('clusterStart Method Invoked - Initialize')
  767.     else:
  768.       self.log.debug('clusterStart Method Invoked - No Initialize')
  769.     try:
  770.       self.log.debug("Creating service registry XML-RPC client.")
  771.       serviceClient = hodXRClient(to_http_url(self._cfg['svcrgy-addr']),
  772.                                   None, None, 0, 0, 0)
  773.       self.log.info("Fetching ringmaster information from service registry.")
  774.       count = 0
  775.       ringXRAddress = None
  776.       while (ringXRAddress == None and count < 3000):
  777.         ringList = serviceClient.getServiceInfo(self._cfg['userid'],
  778.           self._cfg['service-id'], 'ringmaster', 'hod')
  779.         if len(ringList):
  780.           if isinstance(ringList, list):
  781.             ringXRAddress = ringList[0]['xrs']
  782.         count = count + 1
  783.       if ringXRAddress == None:
  784.         raise Exception("Could not get ringmaster XML-RPC server address.")
  785.       self.log.debug("Creating ringmaster XML-RPC client.")
  786.       ringClient = hodXRClient(ringXRAddress, None, None, 0, 0, 0)
  787.       id = self.hostname + "_" + str(os.getpid())
  788.       cmdlist = []
  789.       if initialize:
  790.         if 'download-addr' in self._cfg:
  791.           self.__download_package(ringClient)
  792.         else:
  793.           self.log.debug("Did not find a download address.")
  794.         while (cmdlist == []):
  795.           cmdlist = ringClient.getCommand(id)
  796.       else:
  797.         while (cmdlist == []):
  798.           cmdlist = ringClient.getAdminCommand(id)
  799.       self.log.debug(pformat(cmdlist))
  800.       cmdDescs = []
  801.       for cmds in cmdlist:
  802.         cmdDescs.append(CommandDesc(cmds['dict'], self.log))
  803.       self._cfg['commanddesc'] = cmdDescs
  804.       if initialize:
  805.         self.log.info("Running hadoop commands again... - Initialize")
  806.         self.__run_hadoop_commands()
  807.         masterParams = []
  808.         for k, cmd in self.__running.iteritems():
  809.           self.log.debug(cmd)
  810.           masterParams.extend(cmd.filledInKeyVals)
  811.         self.log.debug("printing getparams")
  812.         self.log.debug(pformat(id))
  813.         self.log.debug(pformat(masterParams))
  814.         # when this is on a required host, the ringMaster already has our masterParams
  815.         if(len(masterParams) > 0):
  816.           ringClient.addMasterParams(id, masterParams)
  817.       else:
  818.         self.log.info("Running hadoop commands again... - No Initialize")
  819.         self.__run_hadoop_commands()
  820.     except:
  821.       self.log.error(get_exception_string())
  822.     return True
  823.   def clusterStop(self):
  824.     """Stop a running mapreduce/dfs cluster without stopping the hodring"""
  825.     self.log.debug('clusterStop Method Invoked')
  826.     try:
  827.       for cmd in self.__running.values():
  828.         cmd.kill()
  829.       self.__running = {}
  830.     except:
  831.       self.log.error(get_exception_string())
  832.     return True