bdist_rpm.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588
  1. """distutils.command.bdist_rpm
  2. Implements the Distutils 'bdist_rpm' command (create RPM source and binary
  3. distributions)."""
  4. __revision__ = "$Id$"
  5. import sys
  6. import os
  7. import string
  8. from distutils.core import Command
  9. from distutils.debug import DEBUG
  10. from distutils.file_util import write_file
  11. from distutils.sysconfig import get_python_version
  12. from distutils.errors import (DistutilsOptionError, DistutilsPlatformError,
  13. DistutilsFileError, DistutilsExecError)
  14. from distutils import log
  15. class bdist_rpm (Command):
  16. description = "create an RPM distribution"
  17. user_options = [
  18. ('bdist-base=', None,
  19. "base directory for creating built distributions"),
  20. ('rpm-base=', None,
  21. "base directory for creating RPMs (defaults to \"rpm\" under "
  22. "--bdist-base; must be specified for RPM 2)"),
  23. ('dist-dir=', 'd',
  24. "directory to put final RPM files in "
  25. "(and .spec files if --spec-only)"),
  26. ('python=', None,
  27. "path to Python interpreter to hard-code in the .spec file "
  28. "(default: \"python\")"),
  29. ('fix-python', None,
  30. "hard-code the exact path to the current Python interpreter in "
  31. "the .spec file"),
  32. ('spec-only', None,
  33. "only regenerate spec file"),
  34. ('source-only', None,
  35. "only generate source RPM"),
  36. ('binary-only', None,
  37. "only generate binary RPM"),
  38. ('use-bzip2', None,
  39. "use bzip2 instead of gzip to create source distribution"),
  40. # More meta-data: too RPM-specific to put in the setup script,
  41. # but needs to go in the .spec file -- so we make these options
  42. # to "bdist_rpm". The idea is that packagers would put this
  43. # info in setup.cfg, although they are of course free to
  44. # supply it on the command line.
  45. ('distribution-name=', None,
  46. "name of the (Linux) distribution to which this "
  47. "RPM applies (*not* the name of the module distribution!)"),
  48. ('group=', None,
  49. "package classification [default: \"Development/Libraries\"]"),
  50. ('release=', None,
  51. "RPM release number"),
  52. ('serial=', None,
  53. "RPM serial number"),
  54. ('vendor=', None,
  55. "RPM \"vendor\" (eg. \"Joe Blow <joe@example.com>\") "
  56. "[default: maintainer or author from setup script]"),
  57. ('packager=', None,
  58. "RPM packager (eg. \"Jane Doe <jane@example.net>\")"
  59. "[default: vendor]"),
  60. ('doc-files=', None,
  61. "list of documentation files (space or comma-separated)"),
  62. ('changelog=', None,
  63. "RPM changelog"),
  64. ('icon=', None,
  65. "name of icon file"),
  66. ('provides=', None,
  67. "capabilities provided by this package"),
  68. ('requires=', None,
  69. "capabilities required by this package"),
  70. ('conflicts=', None,
  71. "capabilities which conflict with this package"),
  72. ('build-requires=', None,
  73. "capabilities required to build this package"),
  74. ('obsoletes=', None,
  75. "capabilities made obsolete by this package"),
  76. ('no-autoreq', None,
  77. "do not automatically calculate dependencies"),
  78. # Actions to take when building RPM
  79. ('keep-temp', 'k',
  80. "don't clean up RPM build directory"),
  81. ('no-keep-temp', None,
  82. "clean up RPM build directory [default]"),
  83. ('use-rpm-opt-flags', None,
  84. "compile with RPM_OPT_FLAGS when building from source RPM"),
  85. ('no-rpm-opt-flags', None,
  86. "do not pass any RPM CFLAGS to compiler"),
  87. ('rpm3-mode', None,
  88. "RPM 3 compatibility mode (default)"),
  89. ('rpm2-mode', None,
  90. "RPM 2 compatibility mode"),
  91. # Add the hooks necessary for specifying custom scripts
  92. ('prep-script=', None,
  93. "Specify a script for the PREP phase of RPM building"),
  94. ('build-script=', None,
  95. "Specify a script for the BUILD phase of RPM building"),
  96. ('pre-install=', None,
  97. "Specify a script for the pre-INSTALL phase of RPM building"),
  98. ('install-script=', None,
  99. "Specify a script for the INSTALL phase of RPM building"),
  100. ('post-install=', None,
  101. "Specify a script for the post-INSTALL phase of RPM building"),
  102. ('pre-uninstall=', None,
  103. "Specify a script for the pre-UNINSTALL phase of RPM building"),
  104. ('post-uninstall=', None,
  105. "Specify a script for the post-UNINSTALL phase of RPM building"),
  106. ('clean-script=', None,
  107. "Specify a script for the CLEAN phase of RPM building"),
  108. ('verify-script=', None,
  109. "Specify a script for the VERIFY phase of the RPM build"),
  110. # Allow a packager to explicitly force an architecture
  111. ('force-arch=', None,
  112. "Force an architecture onto the RPM build process"),
  113. ('quiet', 'q',
  114. "Run the INSTALL phase of RPM building in quiet mode"),
  115. ]
  116. boolean_options = ['keep-temp', 'use-rpm-opt-flags', 'rpm3-mode',
  117. 'no-autoreq', 'quiet']
  118. negative_opt = {'no-keep-temp': 'keep-temp',
  119. 'no-rpm-opt-flags': 'use-rpm-opt-flags',
  120. 'rpm2-mode': 'rpm3-mode'}
  121. def initialize_options (self):
  122. self.bdist_base = None
  123. self.rpm_base = None
  124. self.dist_dir = None
  125. self.python = None
  126. self.fix_python = None
  127. self.spec_only = None
  128. self.binary_only = None
  129. self.source_only = None
  130. self.use_bzip2 = None
  131. self.distribution_name = None
  132. self.group = None
  133. self.release = None
  134. self.serial = None
  135. self.vendor = None
  136. self.packager = None
  137. self.doc_files = None
  138. self.changelog = None
  139. self.icon = None
  140. self.prep_script = None
  141. self.build_script = None
  142. self.install_script = None
  143. self.clean_script = None
  144. self.verify_script = None
  145. self.pre_install = None
  146. self.post_install = None
  147. self.pre_uninstall = None
  148. self.post_uninstall = None
  149. self.prep = None
  150. self.provides = None
  151. self.requires = None
  152. self.conflicts = None
  153. self.build_requires = None
  154. self.obsoletes = None
  155. self.keep_temp = 0
  156. self.use_rpm_opt_flags = 1
  157. self.rpm3_mode = 1
  158. self.no_autoreq = 0
  159. self.force_arch = None
  160. self.quiet = 0
  161. # initialize_options()
  162. def finalize_options (self):
  163. self.set_undefined_options('bdist', ('bdist_base', 'bdist_base'))
  164. if self.rpm_base is None:
  165. if not self.rpm3_mode:
  166. raise DistutilsOptionError, \
  167. "you must specify --rpm-base in RPM 2 mode"
  168. self.rpm_base = os.path.join(self.bdist_base, "rpm")
  169. if self.python is None:
  170. if self.fix_python:
  171. self.python = sys.executable
  172. else:
  173. self.python = "python"
  174. elif self.fix_python:
  175. raise DistutilsOptionError, \
  176. "--python and --fix-python are mutually exclusive options"
  177. if os.name != 'posix':
  178. raise DistutilsPlatformError, \
  179. ("don't know how to create RPM "
  180. "distributions on platform %s" % os.name)
  181. if self.binary_only and self.source_only:
  182. raise DistutilsOptionError, \
  183. "cannot supply both '--source-only' and '--binary-only'"
  184. # don't pass CFLAGS to pure python distributions
  185. if not self.distribution.has_ext_modules():
  186. self.use_rpm_opt_flags = 0
  187. self.set_undefined_options('bdist', ('dist_dir', 'dist_dir'))
  188. self.finalize_package_data()
  189. # finalize_options()
  190. def finalize_package_data (self):
  191. self.ensure_string('group', "Development/Libraries")
  192. self.ensure_string('vendor',
  193. "%s <%s>" % (self.distribution.get_contact(),
  194. self.distribution.get_contact_email()))
  195. self.ensure_string('packager')
  196. self.ensure_string_list('doc_files')
  197. if isinstance(self.doc_files, list):
  198. for readme in ('README', 'README.txt'):
  199. if os.path.exists(readme) and readme not in self.doc_files:
  200. self.doc_files.append(readme)
  201. self.ensure_string('release', "1")
  202. self.ensure_string('serial') # should it be an int?
  203. self.ensure_string('distribution_name')
  204. self.ensure_string('changelog')
  205. # Format changelog correctly
  206. self.changelog = self._format_changelog(self.changelog)
  207. self.ensure_filename('icon')
  208. self.ensure_filename('prep_script')
  209. self.ensure_filename('build_script')
  210. self.ensure_filename('install_script')
  211. self.ensure_filename('clean_script')
  212. self.ensure_filename('verify_script')
  213. self.ensure_filename('pre_install')
  214. self.ensure_filename('post_install')
  215. self.ensure_filename('pre_uninstall')
  216. self.ensure_filename('post_uninstall')
  217. # XXX don't forget we punted on summaries and descriptions -- they
  218. # should be handled here eventually!
  219. # Now *this* is some meta-data that belongs in the setup script...
  220. self.ensure_string_list('provides')
  221. self.ensure_string_list('requires')
  222. self.ensure_string_list('conflicts')
  223. self.ensure_string_list('build_requires')
  224. self.ensure_string_list('obsoletes')
  225. self.ensure_string('force_arch')
  226. # finalize_package_data ()
  227. def run (self):
  228. if DEBUG:
  229. print "before _get_package_data():"
  230. print "vendor =", self.vendor
  231. print "packager =", self.packager
  232. print "doc_files =", self.doc_files
  233. print "changelog =", self.changelog
  234. # make directories
  235. if self.spec_only:
  236. spec_dir = self.dist_dir
  237. self.mkpath(spec_dir)
  238. else:
  239. rpm_dir = {}
  240. for d in ('SOURCES', 'SPECS', 'BUILD', 'RPMS', 'SRPMS'):
  241. rpm_dir[d] = os.path.join(self.rpm_base, d)
  242. self.mkpath(rpm_dir[d])
  243. spec_dir = rpm_dir['SPECS']
  244. # Spec file goes into 'dist_dir' if '--spec-only specified',
  245. # build/rpm.<plat> otherwise.
  246. spec_path = os.path.join(spec_dir,
  247. "%s.spec" % self.distribution.get_name())
  248. self.execute(write_file,
  249. (spec_path,
  250. self._make_spec_file()),
  251. "writing '%s'" % spec_path)
  252. if self.spec_only: # stop if requested
  253. return
  254. # Make a source distribution and copy to SOURCES directory with
  255. # optional icon.
  256. saved_dist_files = self.distribution.dist_files[:]
  257. sdist = self.reinitialize_command('sdist')
  258. if self.use_bzip2:
  259. sdist.formats = ['bztar']
  260. else:
  261. sdist.formats = ['gztar']
  262. self.run_command('sdist')
  263. self.distribution.dist_files = saved_dist_files
  264. source = sdist.get_archive_files()[0]
  265. source_dir = rpm_dir['SOURCES']
  266. self.copy_file(source, source_dir)
  267. if self.icon:
  268. if os.path.exists(self.icon):
  269. self.copy_file(self.icon, source_dir)
  270. else:
  271. raise DistutilsFileError, \
  272. "icon file '%s' does not exist" % self.icon
  273. # build package
  274. log.info("building RPMs")
  275. rpm_cmd = ['rpm']
  276. if os.path.exists('/usr/bin/rpmbuild') or \
  277. os.path.exists('/bin/rpmbuild'):
  278. rpm_cmd = ['rpmbuild']
  279. if self.source_only: # what kind of RPMs?
  280. rpm_cmd.append('-bs')
  281. elif self.binary_only:
  282. rpm_cmd.append('-bb')
  283. else:
  284. rpm_cmd.append('-ba')
  285. if self.rpm3_mode:
  286. rpm_cmd.extend(['--define',
  287. '_topdir %s' % os.path.abspath(self.rpm_base)])
  288. if not self.keep_temp:
  289. rpm_cmd.append('--clean')
  290. if self.quiet:
  291. rpm_cmd.append('--quiet')
  292. rpm_cmd.append(spec_path)
  293. # Determine the binary rpm names that should be built out of this spec
  294. # file
  295. # Note that some of these may not be really built (if the file
  296. # list is empty)
  297. nvr_string = "%{name}-%{version}-%{release}"
  298. src_rpm = nvr_string + ".src.rpm"
  299. non_src_rpm = "%{arch}/" + nvr_string + ".%{arch}.rpm"
  300. q_cmd = r"rpm -q --qf '%s %s\n' --specfile '%s'" % (
  301. src_rpm, non_src_rpm, spec_path)
  302. out = os.popen(q_cmd)
  303. try:
  304. binary_rpms = []
  305. source_rpm = None
  306. while 1:
  307. line = out.readline()
  308. if not line:
  309. break
  310. l = string.split(string.strip(line))
  311. assert(len(l) == 2)
  312. binary_rpms.append(l[1])
  313. # The source rpm is named after the first entry in the spec file
  314. if source_rpm is None:
  315. source_rpm = l[0]
  316. status = out.close()
  317. if status:
  318. raise DistutilsExecError("Failed to execute: %s" % repr(q_cmd))
  319. finally:
  320. out.close()
  321. self.spawn(rpm_cmd)
  322. if not self.dry_run:
  323. if self.distribution.has_ext_modules():
  324. pyversion = get_python_version()
  325. else:
  326. pyversion = 'any'
  327. if not self.binary_only:
  328. srpm = os.path.join(rpm_dir['SRPMS'], source_rpm)
  329. assert(os.path.exists(srpm))
  330. self.move_file(srpm, self.dist_dir)
  331. filename = os.path.join(self.dist_dir, source_rpm)
  332. self.distribution.dist_files.append(
  333. ('bdist_rpm', pyversion, filename))
  334. if not self.source_only:
  335. for rpm in binary_rpms:
  336. rpm = os.path.join(rpm_dir['RPMS'], rpm)
  337. if os.path.exists(rpm):
  338. self.move_file(rpm, self.dist_dir)
  339. filename = os.path.join(self.dist_dir,
  340. os.path.basename(rpm))
  341. self.distribution.dist_files.append(
  342. ('bdist_rpm', pyversion, filename))
  343. # run()
  344. def _dist_path(self, path):
  345. return os.path.join(self.dist_dir, os.path.basename(path))
  346. def _make_spec_file(self):
  347. """Generate the text of an RPM spec file and return it as a
  348. list of strings (one per line).
  349. """
  350. # definitions and headers
  351. spec_file = [
  352. '%define name ' + self.distribution.get_name(),
  353. '%define version ' + self.distribution.get_version().replace('-','_'),
  354. '%define unmangled_version ' + self.distribution.get_version(),
  355. '%define release ' + self.release.replace('-','_'),
  356. '',
  357. 'Summary: ' + self.distribution.get_description(),
  358. ]
  359. # put locale summaries into spec file
  360. # XXX not supported for now (hard to put a dictionary
  361. # in a config file -- arg!)
  362. #for locale in self.summaries.keys():
  363. # spec_file.append('Summary(%s): %s' % (locale,
  364. # self.summaries[locale]))
  365. spec_file.extend([
  366. 'Name: %{name}',
  367. 'Version: %{version}',
  368. 'Release: %{release}',])
  369. # XXX yuck! this filename is available from the "sdist" command,
  370. # but only after it has run: and we create the spec file before
  371. # running "sdist", in case of --spec-only.
  372. if self.use_bzip2:
  373. spec_file.append('Source0: %{name}-%{unmangled_version}.tar.bz2')
  374. else:
  375. spec_file.append('Source0: %{name}-%{unmangled_version}.tar.gz')
  376. spec_file.extend([
  377. 'License: ' + self.distribution.get_license(),
  378. 'Group: ' + self.group,
  379. 'BuildRoot: %{_tmppath}/%{name}-%{version}-%{release}-buildroot',
  380. 'Prefix: %{_prefix}', ])
  381. if not self.force_arch:
  382. # noarch if no extension modules
  383. if not self.distribution.has_ext_modules():
  384. spec_file.append('BuildArch: noarch')
  385. else:
  386. spec_file.append( 'BuildArch: %s' % self.force_arch )
  387. for field in ('Vendor',
  388. 'Packager',
  389. 'Provides',
  390. 'Requires',
  391. 'Conflicts',
  392. 'Obsoletes',
  393. ):
  394. val = getattr(self, string.lower(field))
  395. if isinstance(val, list):
  396. spec_file.append('%s: %s' % (field, string.join(val)))
  397. elif val is not None:
  398. spec_file.append('%s: %s' % (field, val))
  399. if self.distribution.get_url() != 'UNKNOWN':
  400. spec_file.append('Url: ' + self.distribution.get_url())
  401. if self.distribution_name:
  402. spec_file.append('Distribution: ' + self.distribution_name)
  403. if self.build_requires:
  404. spec_file.append('BuildRequires: ' +
  405. string.join(self.build_requires))
  406. if self.icon:
  407. spec_file.append('Icon: ' + os.path.basename(self.icon))
  408. if self.no_autoreq:
  409. spec_file.append('AutoReq: 0')
  410. spec_file.extend([
  411. '',
  412. '%description',
  413. self.distribution.get_long_description()
  414. ])
  415. # put locale descriptions into spec file
  416. # XXX again, suppressed because config file syntax doesn't
  417. # easily support this ;-(
  418. #for locale in self.descriptions.keys():
  419. # spec_file.extend([
  420. # '',
  421. # '%description -l ' + locale,
  422. # self.descriptions[locale],
  423. # ])
  424. # rpm scripts
  425. # figure out default build script
  426. def_setup_call = "%s %s" % (self.python,os.path.basename(sys.argv[0]))
  427. def_build = "%s build" % def_setup_call
  428. if self.use_rpm_opt_flags:
  429. def_build = 'env CFLAGS="$RPM_OPT_FLAGS" ' + def_build
  430. # insert contents of files
  431. # XXX this is kind of misleading: user-supplied options are files
  432. # that we open and interpolate into the spec file, but the defaults
  433. # are just text that we drop in as-is. Hmmm.
  434. install_cmd = ('%s install -O1 --root=$RPM_BUILD_ROOT '
  435. '--record=INSTALLED_FILES') % def_setup_call
  436. script_options = [
  437. ('prep', 'prep_script', "%setup -n %{name}-%{unmangled_version}"),
  438. ('build', 'build_script', def_build),
  439. ('install', 'install_script', install_cmd),
  440. ('clean', 'clean_script', "rm -rf $RPM_BUILD_ROOT"),
  441. ('verifyscript', 'verify_script', None),
  442. ('pre', 'pre_install', None),
  443. ('post', 'post_install', None),
  444. ('preun', 'pre_uninstall', None),
  445. ('postun', 'post_uninstall', None),
  446. ]
  447. for (rpm_opt, attr, default) in script_options:
  448. # Insert contents of file referred to, if no file is referred to
  449. # use 'default' as contents of script
  450. val = getattr(self, attr)
  451. if val or default:
  452. spec_file.extend([
  453. '',
  454. '%' + rpm_opt,])
  455. if val:
  456. spec_file.extend(string.split(open(val, 'r').read(), '\n'))
  457. else:
  458. spec_file.append(default)
  459. # files section
  460. spec_file.extend([
  461. '',
  462. '%files -f INSTALLED_FILES',
  463. '%defattr(-,root,root)',
  464. ])
  465. if self.doc_files:
  466. spec_file.append('%doc ' + string.join(self.doc_files))
  467. if self.changelog:
  468. spec_file.extend([
  469. '',
  470. '%changelog',])
  471. spec_file.extend(self.changelog)
  472. return spec_file
  473. # _make_spec_file ()
  474. def _format_changelog(self, changelog):
  475. """Format the changelog correctly and convert it to a list of strings
  476. """
  477. if not changelog:
  478. return changelog
  479. new_changelog = []
  480. for line in string.split(string.strip(changelog), '\n'):
  481. line = string.strip(line)
  482. if line[0] == '*':
  483. new_changelog.extend(['', line])
  484. elif line[0] == '-':
  485. new_changelog.append(line)
  486. else:
  487. new_changelog.append(' ' + line)
  488. # strip trailing newline inserted by first changelog entry
  489. if not new_changelog[0]:
  490. del new_changelog[0]
  491. return new_changelog
  492. # _format_changelog()
  493. # class bdist_rpm