目录

Python MongoDB 创建集合


集合在 MongoDB 中与表格在 SQL 数据库中。

创建集合

要在 MongoDB 中创建集合,请使用数据库对象并指定要创建的集合的名称。

如果集合不存在,MongoDB 将创建该集合。

示例

创建一个名为 "customers" 的集合:

import pymongo

myclient = pymongo.MongoClient("mongodb://localhost:27017/")
mydb = myclient["mydatabase"]

mycol = mydb["customers"]
运行示例 »

重要的:在 MongoDB 中,在获取内容之前不会创建集合!

MongoDB 会等到您插入文档后才真正创建集合。


检查集合是否存在

记住:在 MongoDB 中,只有获取内容后才会创建集合,因此如果这是您第一次创建集合,则应在检查集合是否存在之前完成下一章(创建文档)!

您可以通过列出所有集合来检查数据库中是否存在集合:

示例

返回数据库中所有集合的列表:

print(mydb.list_collection_names())
运行示例 »

或者您可以按名称检查特定集合:

示例

检查 "customers" 集合是否存在:

collist = mydb.list_collection_names()
if "customers" in collist:
  print("The collection exists.")
运行示例 »