/usr/share/pyshared/bitten/upgrades.py is in trac-bitten 0.6+final-3.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 | # -*- coding: utf-8 -*-
#
# Copyright (C) 2007-2010 Edgewall Software
# Copyright (C) 2005-2007 Christopher Lenz <cmlenz@gmx.de>
# All rights reserved.
#
# This software is licensed as described in the file COPYING, which
# you should have received as part of this distribution. The terms
# are also available at http://bitten.edgewall.org/wiki/License.
"""Automated upgrades for the Bitten database tables, and other data stored
in the Trac environment.
**Do not import and call directly!**"""
import os
import sys
from trac.core import TracError
from trac.db import DatabaseManager, Table, Column, Index
from trac.util.text import to_unicode
import codecs
__docformat__ = 'restructuredtext en'
# database abstraction functions
def parse_scheme(env):
"""Retrieve the environment database scheme."""
connection_uri = DatabaseManager(env).connection_uri
parts = connection_uri.split(':', 1)
scheme = parts[0].lower()
return scheme
def update_sequence(env, db, tbl, col):
"""Update a sequence associated with an autoincrement column."""
# Hopefully Trac will eventually implement its own version
# of this function.
scheme = parse_scheme(env)
if scheme == "postgres":
seq = '%s_%s_seq' % (tbl, col)
cursor = db.cursor()
cursor.execute("SELECT setval('%s', (SELECT MAX(%s) FROM %s))"
% (seq, col, tbl))
def drop_index(env, db, tbl, idx):
"""Drop an index associated with a table."""
# Hopefully Trac will eventually implement its own version
# of this function.
scheme = parse_scheme(env)
cursor = db.cursor()
if scheme == "mysql":
cursor.execute("DROP INDEX %s ON %s" % (idx, tbl))
else:
cursor.execute("DROP INDEX %s" % (idx,))
# upgrade scripts
def add_log_table(env, db):
"""Add a table for storing the builds logs."""
INFO_LEVEL = 'I'
cursor = db.cursor()
build_log_schema_v3 = [
Table('bitten_log', key='id')[
Column('id', auto_increment=True), Column('build', type='int'),
Column('step'), Column('type')
],
Table('bitten_log_message', key=('log', 'line'))[
Column('log', type='int'), Column('line', type='int'),
Column('level', size=1), Column('message')
]
]
build_step_schema_v3 = [
Table('bitten_step', key=('build', 'name'))[
Column('build', type='int'), Column('name'), Column('description'),
Column('status', size=1), Column('started', type='int'),
Column('stopped', type='int')
]
]
connector, _ = DatabaseManager(env)._get_connector()
for table in build_log_schema_v3:
for stmt in connector.to_sql(table):
cursor.execute(stmt)
update_cursor = db.cursor()
cursor.execute("SELECT build,name,log FROM bitten_step "
"WHERE log IS NOT NULL")
for build, step, log in cursor:
update_cursor.execute("INSERT INTO bitten_log (build, step) "
"VALUES (%s,%s)", (build, step))
log_id = db.get_last_id(update_cursor, 'bitten_log')
messages = [(log_id, line, INFO_LEVEL, msg)
for line, msg in enumerate(log.splitlines())]
update_cursor.executemany("INSERT INTO bitten_log_message (log, line, level, message) "
"VALUES (%s, %s, %s, %s)", messages)
cursor.execute("CREATE TEMPORARY TABLE old_step AS SELECT * FROM bitten_step")
cursor.execute("DROP TABLE bitten_step")
for table in build_step_schema_v3:
for stmt in connector.to_sql(table):
cursor.execute(stmt)
cursor.execute("INSERT INTO bitten_step (build,name,description,status,"
"started,stopped) SELECT build,name,description,status,"
"started,stopped FROM old_step")
def add_recipe_to_config(env, db):
"""Add a column for storing the build recipe to the build configuration
table."""
cursor = db.cursor()
build_config_schema_v3 = Table('bitten_config', key='name')[
Column('name'), Column('path'), Column('active', type='int'),
Column('recipe'), Column('min_rev'), Column('max_rev'),
Column('label'), Column('description')
]
cursor.execute("CREATE TEMPORARY TABLE old_config_v2 AS "
"SELECT * FROM bitten_config")
cursor.execute("DROP TABLE bitten_config")
connector, _ = DatabaseManager(env)._get_connector()
for stmt in connector.to_sql(build_config_schema_v3):
cursor.execute(stmt)
cursor.execute("INSERT INTO bitten_config (name,path,active,recipe,min_rev,"
"max_rev,label,description) SELECT name,path,0,'',NULL,"
"NULL,label,description FROM old_config_v2")
def add_last_activity_to_build(env, db):
"""Add a column for storing the last activity to the build table."""
cursor = db.cursor()
build_table_schema_v12 = Table('bitten_build', key='id')[
Column('id', auto_increment=True), Column('config'), Column('rev'),
Column('rev_time', type='int'), Column('platform', type='int'),
Column('slave'), Column('started', type='int'),
Column('stopped', type='int'), Column('status', size=1),
Column('last_activity', type='int'),
Index(['config', 'rev', 'platform'], unique=True)
]
cursor.execute("CREATE TEMPORARY TABLE old_build_v11 AS "
"SELECT * FROM bitten_build")
cursor.execute("DROP TABLE bitten_build")
connector, _ = DatabaseManager(env)._get_connector()
for stmt in connector.to_sql(build_table_schema_v12):
cursor.execute(stmt)
# it's safe to make the last activity the stop time of the build
cursor.execute("INSERT INTO bitten_build (id,config,rev,rev_time,platform,"
"slave,started,stopped,last_activity,status) "
"SELECT id,config,rev,rev_time,platform,"
"slave,started,stopped,stopped,status FROM old_build_v11")
update_sequence(env, db, 'bitten_build', 'id')
def add_config_to_reports(env, db):
"""Add the name of the build configuration as metadata to report documents
stored in the BDB XML database."""
try:
from bsddb3 import db as bdb
import dbxml
except ImportError:
return
dbfile = os.path.join(env.path, 'db', 'bitten.dbxml')
if not os.path.isfile(dbfile):
return
dbenv = bdb.DBEnv()
dbenv.open(os.path.dirname(dbfile),
bdb.DB_CREATE | bdb.DB_INIT_LOCK | bdb.DB_INIT_LOG |
bdb.DB_INIT_MPOOL | bdb.DB_INIT_TXN, 0)
mgr = dbxml.XmlManager(dbenv, 0)
xtn = mgr.createTransaction()
container = mgr.openContainer(dbfile, dbxml.DBXML_TRANSACTIONAL)
uc = mgr.createUpdateContext()
container.addIndex(xtn, '', 'config', 'node-metadata-equality-string', uc)
qc = mgr.createQueryContext()
for value in mgr.query(xtn, 'collection("%s")/report' % dbfile, qc):
doc = value.asDocument()
metaval = dbxml.XmlValue()
if doc.getMetaData('', 'build', metaval):
build_id = int(metaval.asNumber())
cursor = db.cursor()
cursor.execute("SELECT config FROM bitten_build WHERE id=%s", (build_id,))
row = cursor.fetchone()
if row:
doc.setMetaData('', 'config', dbxml.XmlValue(row[0]))
container.updateDocument(xtn, doc, uc)
else:
# an orphaned report, for whatever reason... just remove it
container.deleteDocument(xtn, doc, uc)
xtn.commit()
container.close()
dbenv.close(0)
def add_order_to_log(env, db):
"""Add order column to log table to make sure that build logs are displayed
in the order they were generated."""
cursor = db.cursor()
log_table_schema_v6 = Table('bitten_log', key='id')[
Column('id', auto_increment=True), Column('build', type='int'),
Column('step'), Column('generator'), Column('orderno', type='int'),
Index(['build', 'step'])
]
cursor.execute("CREATE TEMPORARY TABLE old_log_v5 AS "
"SELECT * FROM bitten_log")
cursor.execute("DROP TABLE bitten_log")
connector, _ = DatabaseManager(env)._get_connector()
for stmt in connector.to_sql(log_table_schema_v6):
cursor.execute(stmt)
cursor.execute("INSERT INTO bitten_log (id,build,step,generator,orderno) "
"SELECT id,build,step,type,0 FROM old_log_v5")
def add_report_tables(env, db):
"""Add database tables for report storage."""
cursor = db.cursor()
report_schema_v6 = Table('bitten_report', key='id')[
Column('id', auto_increment=True), Column('build', type='int'),
Column('step'), Column('category'), Column('generator'),
Index(['build', 'step', 'category'])
]
report_item_schema_v6 = Table('bitten_report_item', key=('report', 'item', 'name'))[
Column('report', type='int'), Column('item', type='int'),
Column('name'), Column('value')
]
connector, _ = DatabaseManager(env)._get_connector()
for table in [report_schema_v6, report_item_schema_v6]:
for stmt in connector.to_sql(table):
cursor.execute(stmt)
def xmldb_to_db(env, db):
"""Migrate report data from Berkeley DB XML to SQL database.
Depending on the number of reports stored, this might take rather long.
After the upgrade is done, the bitten.dbxml file (and any BDB XML log files)
may be deleted. BDB XML is no longer used by Bitten.
"""
from bitten.util import xmlio
try:
from bsddb3 import db as bdb
import dbxml
except ImportError:
return
dbfile = os.path.join(env.path, 'db', 'bitten.dbxml')
if not os.path.isfile(dbfile):
return
dbenv = bdb.DBEnv()
dbenv.open(os.path.dirname(dbfile),
bdb.DB_CREATE | bdb.DB_INIT_LOCK | bdb.DB_INIT_LOG |
bdb.DB_INIT_MPOOL | bdb.DB_INIT_TXN, 0)
mgr = dbxml.XmlManager(dbenv, 0)
xtn = mgr.createTransaction()
container = mgr.openContainer(dbfile, dbxml.DBXML_TRANSACTIONAL)
def get_pylint_items(xml):
for problems_elem in xml.children('problems'):
for problem_elem in problems_elem.children('problem'):
item = {'type': 'problem'}
item.update(problem_elem.attr)
yield item
def get_trace_items(xml):
for cov_elem in xml.children('coverage'):
item = {'type': 'coverage', 'name': cov_elem.attr['module'],
'file': cov_elem.attr['file'],
'percentage': cov_elem.attr['percentage']}
lines = 0
line_hits = []
for line_elem in cov_elem.children('line'):
lines += 1
line_hits.append(line_elem.attr['hits'])
item['lines'] = lines
item['line_hits'] = ' '.join(line_hits)
yield item
def get_unittest_items(xml):
for test_elem in xml.children('test'):
item = {'type': 'test'}
item.update(test_elem.attr)
for child_elem in test_elem.children():
item[child_elem.name] = child_elem.gettext()
yield item
qc = mgr.createQueryContext()
for value in mgr.query(xtn, 'collection("%s")/report' % dbfile, qc, 0):
doc = value.asDocument()
metaval = dbxml.XmlValue()
build, step = None, None
if doc.getMetaData('', 'build', metaval):
build = metaval.asNumber()
if doc.getMetaData('', 'step', metaval):
step = metaval.asString()
report_types = {'pylint': ('lint', get_pylint_items),
'trace': ('coverage', get_trace_items),
'unittest': ('test', get_unittest_items)}
xml = xmlio.parse(value.asString())
report_type = xml.attr['type']
category, get_items = report_types[report_type]
sys.stderr.write('.')
sys.stderr.flush()
items = list(get_items(xml))
cursor = db.cursor()
cursor.execute("SELECT bitten_report.id FROM bitten_report "
"WHERE build=%s AND step=%s AND category=%s",
(build, step, category))
rows = cursor.fetchall()
if rows:
# Duplicate report, skip
continue
cursor.execute("INSERT INTO bitten_report "
"(build,step,category,generator) VALUES (%s,%s,%s,%s)",
(build, step, category, report_type))
id = db.get_last_id(cursor, 'bitten_report')
for idx, item in enumerate(items):
cursor.executemany("INSERT INTO bitten_report_item "
"(report,item,name,value) VALUES (%s,%s,%s,%s)",
[(id, idx, key, value) for key, value
in item.items()])
sys.stderr.write('\n')
sys.stderr.flush()
xtn.abort()
container.close()
dbenv.close(0)
def normalize_file_paths(env, db):
"""Normalize the file separator in file names in reports."""
cursor = db.cursor()
cursor.execute("SELECT report,item,value FROM bitten_report_item "
"WHERE name='file'")
rows = cursor.fetchall() or []
for report, item, value in rows:
if '\\' in value:
cursor.execute("UPDATE bitten_report_item SET value=%s "
"WHERE report=%s AND item=%s AND name='file'",
(value.replace('\\', '/'), report, item))
def fixup_generators(env, db):
"""Upgrade the identifiers for the recipe commands that generated log
messages and report data."""
mapping = {
'pipe': 'http://bitten.edgewall.org/tools/sh#pipe',
'make': 'http://bitten.edgewall.org/tools/c#make',
'distutils': 'http://bitten.edgewall.org/tools/python#distutils',
'exec_': 'http://bitten.edgewall.org/tools/python#exec' # Ambigious
}
cursor = db.cursor()
cursor.execute("SELECT id,generator FROM bitten_log "
"WHERE generator IN (%s)"
% ','.join([repr(key) for key in mapping.keys()]))
for log_id, generator in cursor:
cursor.execute("UPDATE bitten_log SET generator=%s "
"WHERE id=%s", (mapping[generator], log_id))
mapping = {
'unittest': 'http://bitten.edgewall.org/tools/python#unittest',
'trace': 'http://bitten.edgewall.org/tools/python#trace',
'pylint': 'http://bitten.edgewall.org/tools/python#pylint'
}
cursor.execute("SELECT id,generator FROM bitten_report "
"WHERE generator IN (%s)"
% ','.join([repr(key) for key in mapping.keys()]))
for report_id, generator in cursor:
cursor.execute("UPDATE bitten_report SET generator=%s "
"WHERE id=%s", (mapping[generator], report_id))
def add_error_table(env, db):
"""Add the bitten_error table for recording step failure reasons."""
table = Table('bitten_error', key=('build', 'step', 'orderno'))[
Column('build', type='int'), Column('step'), Column('message'),
Column('orderno', type='int')
]
cursor = db.cursor()
connector, _ = DatabaseManager(env)._get_connector()
for stmt in connector.to_sql(table):
cursor.execute(stmt)
def add_filename_to_logs(env, db):
"""Add filename column to log table to save where log files are stored."""
cursor = db.cursor()
build_log_schema_v9 = Table('bitten_log', key='id')[
Column('id', auto_increment=True), Column('build', type='int'),
Column('step'), Column('generator'), Column('orderno', type='int'),
Column('filename'),
Index(['build', 'step'])
]
cursor.execute("CREATE TEMPORARY TABLE old_log_v8 AS "
"SELECT * FROM bitten_log")
cursor.execute("DROP TABLE bitten_log")
connector, _ = DatabaseManager(env)._get_connector()
for stmt in connector.to_sql(build_log_schema_v9):
cursor.execute(stmt)
cursor.execute("INSERT INTO bitten_log (id,build,step,generator,orderno,filename) "
"SELECT id,build,step,generator,orderno,'' FROM old_log_v8")
def migrate_logs_to_files(env, db):
"""Migrates logs that are stored in the bitten_log_messages table into files."""
logs_dir = env.config.get("bitten", "logs_dir", "log/bitten")
if not os.path.isabs(logs_dir):
logs_dir = os.path.join(env.path, logs_dir)
if os.path.exists(logs_dir):
print "Bitten log folder %r already exists" % (logs_dir,)
print "Upgrade cannot be performed until the existing folder is moved."
print "The upgrade script will now exit with an error:\n"
raise TracError("")
os.makedirs(logs_dir)
cursor = db.cursor()
message_cursor = db.cursor()
update_cursor = db.cursor()
cursor.execute("SELECT id FROM bitten_log")
for log_id, in cursor.fetchall():
filename = "%s.log" % (log_id,)
message_cursor.execute("SELECT message, level FROM bitten_log_message WHERE log=%s ORDER BY line", (log_id,))
full_filename = os.path.join(logs_dir, filename)
message_file = codecs.open(full_filename, "wb", "UTF-8")
# Note: the original version of this code erroneously wrote to filename + ".level" instead of ".levels", producing unused level files
level_file = codecs.open(full_filename + '.levels', "wb", "UTF-8")
for message, level in message_cursor.fetchall() or []:
message_file.write(to_unicode(message) + "\n")
level_file.write(to_unicode(level) + "\n")
message_file.close()
level_file.close()
update_cursor.execute("UPDATE bitten_log SET filename=%s WHERE id=%s", (filename, log_id))
env.log.info("Migrated log %s", log_id)
env.log.warning("Logs have been migrated from the database to files in %s. "
"Ensure permissions are set correctly on this file. "
"Since we presume that the migration worked correctly, "
"we are now dropping the bitten_log_message table in the database (aren't you glad you backed up)", logs_dir)
cursor.close()
cursor = db.cursor()
cursor.execute("DROP TABLE bitten_log_message")
cursor.close()
env.log.warning("We have dropped the bitten_log_message table - you may want to vaccuum/compress your database to save space")
def fix_log_levels_misnaming(env, db):
"""Renames or removes \*.log.level files created by older versions of migrate_logs_to_files."""
logs_dir = env.config.get("bitten", "logs_dir", "log/bitten")
if not os.path.isabs(logs_dir):
logs_dir = os.path.join(env.path, logs_dir)
if not os.path.isdir(logs_dir):
return
rename_count = 0
rename_error_count = 0
delete_count = 0
delete_error_count = 0
for wrong_filename in os.listdir(logs_dir):
if not wrong_filename.endswith('.log.level'):
continue
log_filename = os.path.splitext(wrong_filename)[0]
right_filename = log_filename + '.levels'
full_log_filename = os.path.join(logs_dir, log_filename)
full_wrong_filename = os.path.join(logs_dir, wrong_filename)
full_right_filename = os.path.join(logs_dir, right_filename)
if not os.path.exists(full_log_filename):
try:
os.remove(full_wrong_filename)
delete_count += 1
env.log.info("Deleted stray log level file %s", wrong_filename)
except Exception, e:
delete_error_count += 1
env.log.warning("Error removing stray log level file %s: %s", wrong_filename, e)
else:
if os.path.exists(full_right_filename):
env.log.warning("Error renaming %s to %s in fix_log_levels_misnaming: new filename already exists",
full_wrong_filename, full_right_filename)
rename_error_count += 1
continue
try:
os.rename(full_wrong_filename, full_right_filename)
rename_count += 1
env.log.info("Renamed incorrectly named log level file %s to %s", wrong_filename, right_filename)
except Exception, e:
env.log.warning("Error renaming %s to %s in fix_log_levels_misnaming: %s", full_wrong_filename, full_right_filename, e)
rename_error_count += 1
env.log.info("Renamed %d incorrectly named log level files from previous migrate (%d errors)", rename_count, rename_error_count)
env.log.info("Deleted %d stray log level (%d errors)", delete_count, delete_error_count)
def remove_stray_log_levels_files(env, db):
"""Remove \*.log.levels files without a matching \*.log file (old Bitten
versions did not delete .log.levels files when builds were deleted)"""
logs_dir = env.config.get("bitten", "logs_dir", "log/bitten")
if not os.path.isabs(logs_dir):
logs_dir = os.path.join(env.path, logs_dir)
if not os.path.isdir(logs_dir):
return
delete_count = 0
delete_error_count = 0
for filename in os.listdir(logs_dir):
if not filename.endswith('.log.levels'):
continue
log_filename = os.path.splitext(filename)[0]
full_log_filename = os.path.join(logs_dir, log_filename)
full_filename = os.path.join(logs_dir, filename)
if not os.path.exists(full_log_filename):
try:
os.remove(full_filename)
delete_count += 1
env.log.info("Deleted stray log levels file %s", filename)
except Exception, e:
delete_error_count += 1
env.log.warning("Error removing stray log levels file %s: %s", filename, e)
env.log.info("Deleted %d stray log levels (%d errors)", delete_count, delete_error_count)
def recreate_rule_with_int_id(env, db):
"""Recreates the bitten_rule table with an integer id column rather than a text one."""
cursor = db.cursor()
rule_schema_v9 = Table('bitten_rule', key=('id', 'propname'))[
Column('id', type='int'), Column('propname'), Column('pattern'),
Column('orderno', type='int')
]
env.log.info("Migrating bitten_rule table to integer ids")
connector, _ = DatabaseManager(env)._get_connector()
cursor.execute("CREATE TEMPORARY TABLE old_rule_v9 AS SELECT * FROM bitten_rule")
cursor.execute("DROP TABLE bitten_rule")
for stmt in connector.to_sql(rule_schema_v9):
cursor.execute(stmt)
cursor.execute("INSERT INTO bitten_rule (id,propname,pattern,orderno) "
"SELECT %s,propname,pattern,orderno FROM old_rule_v9" % db.cast('id', 'int'))
def add_config_platform_rev_index_to_build(env, db):
"""Adds a unique index on (config, platform, rev) to the bitten_build table.
Also drops the old index on bitten_build that serves no real purpose anymore."""
# check for existing duplicates
duplicates_cursor = db.cursor()
build_cursor = db.cursor()
duplicates_cursor.execute("SELECT config, rev, platform FROM bitten_build GROUP BY config, rev, platform HAVING COUNT(config) > 1")
duplicates_exist = False
for config, rev, platform in duplicates_cursor.fetchall():
if not duplicates_exist:
duplicates_exist = True
print "\nConfig Name, Revision, Platform :: [<list of build ids>]"
print "--------------------------------------------------------"
build_cursor.execute("SELECT id FROM bitten_build WHERE config='%s' AND rev='%s' AND platform='%s'" % (config, rev, platform))
build_ids = [row[0] for row in build_cursor.fetchall()]
print "%s, %s, %s :: %s" % (config, rev, platform, build_ids)
if duplicates_exist:
print "--------------------------------------------------------\n"
print "Duplicate builds found. You can obtain help on removing the"
print "builds you don't want by reading the Bitten upgrade"
print "documentation at:"
print "http://bitten.edgewall.org/wiki/Documentation/upgrade.html"
print "Upgrades cannot be performed until conflicts are resolved."
print "The upgrade script will now exit with an error:\n"
duplicates_cursor.close()
build_cursor.close()
if not duplicates_exist:
cursor = db.cursor()
scheme = parse_scheme(env)
if scheme == "mysql":
# 111 = 333 / len(columns in index) -- this is the Trac default
cursor.execute("CREATE UNIQUE INDEX bitten_build_config_rev_platform_idx ON bitten_build (config(111), rev(111), platform)")
else:
cursor.execute("CREATE UNIQUE INDEX bitten_build_config_rev_platform_idx ON bitten_build (config,rev,platform)")
drop_index(env, db, 'bitten_build', 'bitten_build_config_rev_slave_idx')
else:
raise TracError('')
def fix_sequences(env, db):
"""Fixes any auto increment sequences that might have been left in an inconsistent state.
Upgrade scripts for schema versions > 10 should handle sequence updates correctly themselves.
"""
update_sequence(env, db, 'bitten_build', 'id')
update_sequence(env, db, 'bitten_log', 'id')
update_sequence(env, db, 'bitten_platform', 'id')
update_sequence(env, db, 'bitten_report', 'id')
map = {
2: [add_log_table],
3: [add_recipe_to_config],
4: [add_config_to_reports],
5: [add_order_to_log, add_report_tables, xmldb_to_db],
6: [normalize_file_paths, fixup_generators],
7: [add_error_table],
8: [add_filename_to_logs,migrate_logs_to_files],
9: [recreate_rule_with_int_id],
10: [add_config_platform_rev_index_to_build, fix_sequences],
11: [fix_log_levels_misnaming, remove_stray_log_levels_files],
12: [add_last_activity_to_build],
}
|