python - 属性错误 : _nanosecond when updating a datetime in transaction

标签 python firebase transactions google-cloud-firestore firebase-admin

所以我正在尝试通过云功能更新云 firestore 中的日期时间字段,如下所示:

transaction.update(doc_ref, {'dateTimeField1': dateTimeValue})

Google 以 %Y-%m-%dT%H:%M:%SZ 格式在云函数的事件参数中将日期时间对象作为字符串发送或 %Y-%m-%dT%H:%M:%S.%fZ .
例如:2019-01-25T15:25:03.881Z

我正在将它转换为 datetime 对象,如下所示:

try:
    datetime_obj = datetime.datetime.strptime(datetime_obj, '%Y-%m-%dT%H:%M:%S.%fZ')
except:
    datetime_obj = datetime.datetime.strptime(datetime_obj, '%Y-%m-%dT%H:%M:%SZ')
datetime_obj = datetime_obj.replace(tzinfo=timezone('UTC'))

但是当我尝试执行该操作时,我遇到了以下错误: AttributeError: _nanosecond

回溯:
File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/batch.py", line 112, in update reference._document_path, field_updates, option File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/_helpers.py", line 822, in pbs_for_update update_pb = extractor.get_update_pb(document_path) File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/_helpers.py", line 459, in get_update_pb name=document_path, fields=encode_dict(self.set_fields) File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/_helpers.py", line 215, in encode_dict return {key: encode_value(value) for key, value in six.iteritems(values_dict)} File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/_helpers.py", line 215, in <dictcomp> return {key: encode_value(value) for key, value in six.iteritems(values_dict)} File "/env/local/lib/python3.7/site-packages/google/cloud/firestore_v1beta1/_helpers.py", line 169, in encode_value return document_pb2.Value(timestamp_value=value.timestamp_pb()) File "/env/local/lib/python3.7/site-packages/google/api_core/datetime_helpers.py", line 278, in timestamp_pb nanos = self._nanosecond or self.microsecond * 1000 AttributeError: _nanosecond

是否允许通过交易设置日期时间,或者我在这里遗漏了什么?

编辑:
代码片段:

@firestore.transactional
def update_datetime_field(transaction, doc_ref, datetime_value):
    try:
        datetime_obj = datetime.datetime.strptime(datetime_value, '%Y-%m-%dT%H:%M:%S.%fZ')
    except:
        datetime_obj = datetime.datetime.strptime(datetime_value, '%Y-%m-%dT%H:%M:%SZ')
    datetime_obj = datetime_obj.replace(tzinfo=timezone('UTC'))
    # Example of datetime_obj -> datetime.datetime(2019, 1, 25, 15, 25, 3, 881000, tzinfo=<UTC>)
    transaction.update(doc_ref, {'datetimeField1': datetime_obj})
    return True

更多信息:

  1. 上面的代码在文档更新时被触发 collection1/document1/collection2/document2
  2. datetime 对象是标准库中的 python 日期时间
  3. 我正在尝试通过使用 pytz 更改时区将日期转换为 UTC

编辑 2:

更好的全貌:

from firebase_admin import credentials, firestore

# initialize firebase admin sdk
creds = credentials.ApplicationDefault()
firebase_admin.initialize_app(creds,{'projectId': 'myProjectId'})


@firestore.transactional
def update_datetime_field(transaction, doc_ref, datetime_value):
    try:
        datetime_obj = datetime.datetime.strptime(datetime_value, '%Y-%m-%dT%H:%M:%S.%fZ')
    except:
        datetime_obj = datetime.datetime.strptime(datetime_value, '%Y-%m-%dT%H:%M:%SZ')
    datetime_obj = datetime_obj.replace(tzinfo=timezone('UTC'))
    # Example of datetime_obj -> datetime.datetime(2019, 1, 25, 15, 25, 3, 881000, tzinfo=<UTC>)
    transaction.update(doc_ref, {'datetimeField1': datetime_obj})
    return True

def update_datetime_in_transaction(event, context):
    datetime_value = event['value']['fields']['datetimeField1']['timestampValue']
    # this looks something like 2019-01-25T15:25:03.881Z

    # prepare document reference to document
    doc_ref = prepare_doc_ref(event, context)

    # update_datetime_field
    client = firestore.client()
    transaction = client.transaction()
    update_datetime_field(transaction, doc_ref, datetime_value)

    return True

编辑 3:

事件参数截图: enter image description here

控制台截图:
enter image description here

最佳答案

因此 firestore python sdk 需要 _nanosecond 属性,该属性目前在 python 标准库的日期时间中不可用(将来会添加。更多细节 here )

因此,在检查了他们的代码库之后,我发现了一个名为 DatetimeWithNanoseconds 的类,它将纳秒支持添加到传统的日期时间对象

该类的代码(google/api_core 中的 datetime_helpers.py 文件)如下(为简洁起见故意删除了一些部分):

class DatetimeWithNanoseconds(datetime.datetime):
"""Track nanosecond in addition to normal datetime attrs.

Nanosecond can be passed only as a keyword argument.
"""
__slots__ = ('_nanosecond',)

@classmethod
def from_rfc3339(cls, stamp):
    with_nanos = _RFC3339_NANOS.match(stamp)
    if with_nanos is None:
        raise ValueError(
            'Timestamp: {}, does not match pattern: {}'.format(
                stamp, _RFC3339_NANOS.pattern))
    bare = datetime.datetime.strptime(
        with_nanos.group('no_fraction'), _RFC3339_NO_FRACTION)
    fraction = with_nanos.group('nanos')
    if fraction is None:
        nanos = 0
    else:
        scale = 9 - len(fraction)
        nanos = int(fraction) * (10 ** scale)
    return cls(bare.year, bare.month, bare.day,
               bare.hour, bare.minute, bare.second,
               nanosecond=nanos, tzinfo=pytz.UTC)

所以现在,我可以使用此类而不是 datetime.datetime 来解析在云函数的事件参数中使用 DatetimeWithNanoseconds.from_rfc3339(timestamp)< 作为字符串发送的日期时间 方法。

例子:

from google.api_core.datetime_helpers import DatetimeWithNanoseconds

d1 = DatetimeWithNanoseconds.from_rfc3339('2019-01-25T15:25:03.881Z')
print(d1)
# DatetimeWithNanoseconds(2019, 1, 25, 15, 25, 3, 881000, tzinfo=<UTC>)

该类还有 rfc3339() 方法来为您提供字符串表示形式。

例子:

d1.rfc3339()
# 2019-01-25T15:25:03.881Z

Alternative solution:

您也可以使用 pandas.Timestamp() 代替 DatetimeWithNanoseconds.from_rfc3339()

例子:

import pandas as pd

d1 = pd.Timestamp('2019-01-25T15:25:03.881Z')
print(d1)
# Timestamp('2019-01-25 15:25:03.881000+0000', tz='UTC')

我建议使用 DatetimeWithNanoseconds,因为它随 sdk 一起提供,您无需在 requirements.txt 中添加额外的 pandas 依赖项,这会增加调用延迟在冷启动期间。更多详情 here .

希望这对您有所帮助。

关于python - 属性错误 : _nanosecond when updating a datetime in transaction,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54370012/

相关文章:

python - numpy 数组中的整数溢出

javascript - 为什么我收到 TypeError : _this. props ."functionName"is not a function ReactJS

ios - 在 Swift 中使用 firebase 创建新用户

c# - 使用 CLR 存储过程在事务内记录 TSQL

Perl 和 Rose::DB Postgres 事务

python - Django UpdateView 没有表单来更新对象

python - 如何在 SQLAlchemy 中比较 Python 列表和 Postgres 数组?

python - Python 2 和 Python 3 中 exec 函数的行为

android - Firebase 推送通知在某些设备上无法正常工作

java - 强制 Hibernate 保存特定的 POJO