如何访问使用 argparse 的导入烧瓶脚本的参数?

How to access arguments on an imported flask script which uses argparse?

我有一个 python 脚本说 A,它有一些在 main.

中使用 argparse 指定的参数
.
.
def main(args):
  # use the arguments
.
.

if __name__ == '__main__':
  parser = argparse.ArgumentParser(..)
  parser.add_argument(
        '-c',
        '--classpath',
        type=str,
        help='directory with list of classes',
        required=True)
  # some more arguments
  args = parser.parse_args()

  main(args)

我写了另一个 python 脚本 B,它使用 flask 到 运行 本地主机上的网络应用程序。

我正在尝试将脚本 A 导入 B 中:

from <folder> import A

如何为 运行ning 脚本 B 提供 A 中所需的参数? 我想运行通过主烧瓶python脚本(即脚本B)传递参数来运行脚本B中的A。

我想使用 A 的所有功能,但我不想更改 A 的结构或在 B 中复制粘贴完全相同的代码。

我一直在尝试类似的方法:

@app.route(...)
def upload_file():
    A.main(classpath = 'uploads/')

但这似乎不起作用。我从 的回答中获得灵感,但我想我遗漏了一些东西。

有人知道如何有效地做到这一点吗?

的答案帮助我让它适用于我的代码。很简单,有效使用kwargs可以帮助解决它。

.
.
def main(**kwargs):
  file_path_audio = kwargs['classpath']
  # use the other arguments
.
.

if __name__ == '__main__':
  parser = argparse.ArgumentParser(..)
  parser.add_argument(
        '-c',
        '--classpath',
        type=str,
        help='directory with list of classes',
        required=True)
  # some more arguments
  kwargs = parser.parse_args()

  main(**kwargs)

对于烧瓶脚本,只需使用,

@app.route(...)
def upload_file():
    A.main(classpath = 'uploads/', ..) # have to add all the arguments with their defaults

除了在使用 main 函数时声明所有默认参数外,我还没有找到任何其他方法。