在 Python 中从字符串转换为布尔值

新手上路,请多包涵

如何在 Python 中将字符串转换为布尔值?此尝试返回 True

 >>> bool("False")
True

原文由 Joan Venge 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 1.2k
2 个回答

真的,您只需将字符串与您期望接受的表示 true 的字符串进行比较,因此您可以这样做:

 s == 'True'

或者检查一大堆值:

 s.lower() in ['true', '1', 't', 'y', 'yes', 'yeah', 'yup', 'certainly', 'uh-huh']

使用以下内容时要小心:

 >>> bool("foo")
True
>>> bool("")
False

空字符串评估为 False ,但其他所有字符串评估为 True 。所以这不应该用于任何类型的解析目的。

原文由 Keith Gaughan 发布,翻译遵循 CC BY-SA 4.0 许可协议

警告:从 Python 3.12 开始,这个答案将不再有效(从 3.10 开始不推荐使用)

采用:

 bool(distutils.util.strtobool(some_string))

  • Python 2http ://docs.python.org/2/distutils/apiref.html?highlight=distutils.util#distutils.util.strtobool
  • Python >=3, <3.12https ://docs.python.org/3/distutils/apiref.html#distutils.util.strtobool
  • Python >=3.12 :由于 PEP 632 ,不再是标准库的一部分

真值为 y、yes、t、true、on 和 1; false 值为 n、no、f、false、off 和 0。如果 val 是其他值,则引发 ValueError。

请注意 distutils.util.strtobool() 返回整数表示,因此需要用 bool() 包装以获得布尔值。

鉴于 distutils 将不再是标准库的一部分,这里是 distutils.util.strtobool() 的代码(参见 源代码)。

 def strtobool (val):
    """Convert a string representation of truth to true (1) or false (0).
    True values are 'y', 'yes', 't', 'true', 'on', and '1'; false values
    are 'n', 'no', 'f', 'false', 'off', and '0'.  Raises ValueError if
    'val' is anything else.
    """
    val = val.lower()
    if val in ('y', 'yes', 't', 'true', 'on', '1'):
        return 1
    elif val in ('n', 'no', 'f', 'false', 'off', '0'):
        return 0
    else:
        raise ValueError("invalid truth value %r" % (val,))

原文由 jzwiener 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题