2

我需要测试所有可能的安装配置。配置保存在有时包含嵌套数组的字典数组中。

这是配置信息的示例(实际配置要长得多):

config = {'database': 'sqlite',
          'useExisting': False,
          'userCredentials': {'authType': 'windows', 
                              'user': r'.\Testing', 
                              'password': 'testing'
                             }
         }

对于database, 选项是['sqlite','mysql','oracle'], 对于useExisting, 选项是[True, False]。我可以弄清楚如何通过这些排列。

但是对于userCredentials,选项可能完全不同。如果authTypedatabase,我需要额外的参数。我可以创建一个循环并创建所有有效组合的函数,但是我如何加入它们呢?还是有更好的方法来生成配置?

userCredentials也可能有不同的设置。例如,我有两个用户帐户,testing1 和 testing2。我需要使用两个用户帐户运行测试,最好使用所有可能的配置。当像这样嵌套时,我无法弄清楚如何递归生成所有配置。

4

1 回答 1

3

这是你想要的?它构建了使用intertools.product列出的数据库、useExisting 和 authType 的所有组合。如果 authType 是“数据库”,它会使用附加参数更新 userCredentials。根据需要修改:

from itertools import product

def build_config(db,flag,authType,userPass):
    config = dict(database=db,useExisting=flag)
    config['userCredentials'] = {
        'authType': authType, 
        'user': userPass[0], 
        'password': userPass[1]
    }
    if authType == 'database':
        config['userCredentials'].update(
            dict(extra=1,param=2))
    return config

database = ['sqlite','mysql','oracle']
useExisting = [True, False]
authType = ['windows','database']
userPass = [('testing1','pass1'),('testing2','pass2')]

for options in product(database,useExisting,authType,userPass):
    config = build_config(*options)
    print config
于 2012-08-29T13:16:55.153 回答