python - bson.errors.InvalidDocument : key '$numberDecimal' must not start with '$' when using json

标签 python json mongodb bson

我有一个小的 json 文件,有以下几行:

{
    "IdTitulo": "Jaws",
    "IdDirector": "Steven Spielberg",
    "IdNumber": 8,
    "IdDecimal": "2.33"
}

我的数据库集合中有一个模式,名为 test_dec。这是我用来创建架构的内容:
db.createCollection("test_dec",
{validator: {
    $jsonSchema: {
         bsonType: "object",
         required: ["IdTitulo","IdDirector"],
         properties: {
         IdTitulo: {
                "bsonType": "string",
                "description": "string type, nombre de la pelicula"
            },
         IdDirector: {
                "bsonType": "string",
                "description": "string type, nombre del director"
            },
        IdNumber : {
                "bsonType": "int",
                "description": "number type to test"
            },
        IdDecimal : {
                 "bsonType": "decimal",
                 "description": "decimal type"
                    }
       }
    }}
    })

我已经多次尝试插入数据。问题出在 IdDecimal 字段值中。

一些试验,将 IdDecimal 行替换为:
 "IdDecimal": 2.33

 "IdDecimal": {"$numberDecimal": "2.33"}

 "IdDecimal": NumberDecimal("2.33")

他们都没有工作。第二个是 MongoDB 手册 (mongodb-extended-json) 提供的正式解决方案,错误是我放在问题中的输出: bson.errors.InvalidDocument: key'$numberDecimal' must not start with '$' .

我目前正在使用 python 加载 json。我一直在玩这个文件:
import os,sys
import re
import io
import json
from pymongo import MongoClient
from bson.raw_bson import RawBSONDocument
from bson.json_util import CANONICAL_JSON_OPTIONS,dumps,loads
import bsonjs as bs

#connection
client = MongoClient('localhost',27018,document_class=RawBSONDocument)
db     = client['myDB']
coll   = db['test_dec']   
other_col = db['free']                                                                                        

for fname in os.listdir('/mnt/win/load'):                                                                               
    num = re.findall("\d+", fname)

    if num:

       with io.open(fname, encoding="ISO-8859-1") as f:

            doc_data = loads(dumps(f,json_options=CANONICAL_JSON_OPTIONS))

            print(doc_data) 

            test = '{"idTitulo":"La pelicula","idRelease":2019}'
            raw_bson = bs.loads(test)
            load_raw = RawBSONDocument(raw_bson)

            db.other_col.insert_one(load_raw)


client.close()

我正在使用 json 文件。如果我尝试解析类似 Decimal128('2.33') 的任何内容,则输出为“ValueError:无法解码 JSON 对象”,因为我的 json 格式无效。

的结果
    db.other_col.insert_one(load_raw) 

是插入了“测试”的内容。
但是我不能将 doc_data 与 RawBSONDocument 一起使用,因为它就是这样。它说:
  TypeError: unpack_from() argument 1 must be string or buffer, not list:

当我设法将 json 直接解析为 RawBSONDocument 时,我得到了所有垃圾,数据库中的记录看起来像这里的示例:
   {
    "_id" : ObjectId("5eb2920a34eea737626667c2"),
    "0" : "{\n",
    "1" : "\t\"IdTitulo\": \"Gremlins\",\n",
    "2" : "\t\"IdDirector\": \"Joe Dante\",\n",
    "3" : "\t\"IdNumber\": 6,\n",
    "4" : "\"IdDate\": {\"$date\": \"2010-06-18T:00.12:00Z\"}\t\n",
    "5" : "}\n"
     }

将扩展的 json 加载到 MongoDB 中似乎并不那么简单。扩展版本是因为我想使用模式验证。

Oleg 指出这是 numberDecimal 而不是我之前使用的 NumberDecimal。我已经修复了 json 文件,但没有任何改变。

执行:
with io.open(fname, encoding="ISO-8859-1") as f:
      doc_data = json.load(f)                
      coll.insert(doc_data)

和 json 文件:
 {
    "IdTitulo": "Gremlins",
    "IdDirector": "Joe Dante",
    "IdNumber": 6,
    "IdDecimal": {"$numberDecimal": "3.45"}
 }

最佳答案

再来一卷我的骰子。如果您按原样使用模式验证,我建议定义一个类并明确定义每个字段以及您建议如何将字段转换为相关的 Python 数据类型。虽然您的解决方案是通用的,但数据结构必须严格以匹配验证。

IMO 这更清楚,您可以控制类(class)中的任何错误等。

只是为了确认我运行了模式验证,这适用于提供的验证。

from pymongo import MongoClient
import bson.json_util
import dateutil.parser
import json

class Film:
    def __init__(self, file):
        data = file.read()
        loaded = json.loads(data)
        self.IdTitulo  = loaded.get('IdTitulo')
        self.IdDirector = loaded.get('IdDirector')
        self.IdDecimal = bson.json_util.Decimal128(loaded.get('IdDecimal'))
        self.IdNumber = int(loaded.get('IdNumber'))
        self.IdDateTime = dateutil.parser.parse(loaded.get('IdDateTime'))

    def insert_one(self, collection):
        collection.insert_one(self.__dict__)

client = MongoClient()
mycollection = client.mydatabase.test_dec

with open('c:/temp/1.json', 'r') as jfile:
    film = Film(jfile)
    film.insert_one(mycollection)

给出:
> db.test_dec.findOne()
{
        "_id" : ObjectId("5eba79eabf951a15d32843ae"),
        "IdTitulo" : "Jaws",
        "IdDirector" : "Steven Spielberg",
        "IdDecimal" : NumberDecimal("2.33"),
        "IdNumber" : 8,
        "IdDateTime" : ISODate("2020-05-12T10:08:21Z")
}

>

使用的 JSON 文件:
{
    "IdTitulo": "Jaws",
    "IdDirector": "Steven Spielberg",
    "IdNumber": 8,
    "IdDecimal": "2.33",
    "IdDateTime": "2020-05-12T11:08:21+0100"
}

关于python - bson.errors.InvalidDocument : key '$numberDecimal' must not start with '$' when using json,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/61499261/

相关文章:

javascript - 将 json 数据发布到 Node api 时出现超时问题

arrays - 如何在 mongodb 中更新多个数组元素

python - python 中的 mongodb 列约束,如 ruby​​ mongoid

javascript - Node.js 不同函数之间的全局变量

python - sklearn 逻辑回归 "ValueError: Found array with dim 3. Estimator expected <= 2."

python - 通过排列过滤

python - 社会安全号码检查 - Python

Java REST 响应值缺少拼写字符

java - 解析 JSONObject 和 JSONArray 并在 ListView 中修复它们

python - Scipy 优化 Curve_fit 边界错误