Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[Py-Client] support new data types #13494

Merged
merged 4 commits into from
Sep 13, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
53 changes: 52 additions & 1 deletion iotdb-client/client-py/SessionExample.py
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,7 @@

# Uncomment the following line to use apache-iotdb module installed by pip3
import numpy as np

from datetime import date
from iotdb.Session import Session
from iotdb.utils.BitMap import BitMap
from iotdb.utils.IoTDBConstants import TSDataType, TSEncoding, Compressor
Expand Down Expand Up @@ -360,6 +360,57 @@
while session_data_set.has_next():
print(session_data_set.next())

# insert tablet with new data types
measurements_new_type = ["s_01", "s_02", "s_03", "s_04"]
data_types_new_type = [
TSDataType.DATE,
TSDataType.TIMESTAMP,
TSDataType.BLOB,
TSDataType.STRING,
]
values_new_type = [
[date(2024, 1, 1), 1, b"\x12\x34", "test01"],
[date(2024, 1, 2), 2, b"\x12\x34", "test02"],
[date(2024, 1, 3), 3, b"\x12\x34", "test03"],
[date(2024, 1, 4), 4, b"\x12\x34", "test04"],
]
timestamps_new_type = [1, 2, 3, 4]
tablet_new_type = Tablet(
"root.sg_test_01.d_04",
measurements_new_type,
data_types_new_type,
values_new_type,
timestamps_new_type,
)
session.insert_tablet(tablet_new_type)
np_values_new_type = [
np.array([date(2024, 2, 4), date(2024, 3, 4), date(2024, 4, 4), date(2024, 5, 4)]),
np.array([5, 6, 7, 8], TSDataType.INT64.np_dtype()),
np.array([b"\x12\x34", b"\x12\x34", b"\x12\x34", b"\x12\x34"]),
np.array(["test01", "test02", "test03", "test04"]),
]
np_timestamps_new_type = np.array([5, 6, 7, 8], TSDataType.INT64.np_dtype())
np_tablet_new_type = NumpyTablet(
"root.sg_test_01.d_04",
measurements_new_type,
data_types_new_type,
np_values_new_type,
np_timestamps_new_type,
)
session.insert_tablet(np_tablet_new_type)
with session.execute_query_statement(
"select s_01,s_02,s_03,s_04 from root.sg_test_01.d_04"
) as dataset:
print(dataset.get_column_names())
while dataset.has_next():
print(dataset.next())

with session.execute_query_statement(
"select s_01,s_02,s_03,s_04 from root.sg_test_01.d_04"
) as dataset:
df = dataset.todf()
print(df.to_string())

# delete database
session.delete_storage_group("root.sg_test_01")

Expand Down
33 changes: 32 additions & 1 deletion iotdb-client/client-py/iotdb/Session.py
Original file line number Diff line number Diff line change
Expand Up @@ -58,6 +58,7 @@
TSLastDataQueryReq,
TSInsertStringRecordsOfOneDeviceReq,
)
from .tsfile.utils.DateUtils import parse_date_to_int
from .utils.IoTDBConnectionException import IoTDBConnectionException

logger = logging.getLogger("IoTDB")
Expand Down Expand Up @@ -118,7 +119,7 @@ def init_from_node_urls(
fetch_size=DEFAULT_FETCH_SIZE,
zone_id=DEFAULT_ZONE_ID,
enable_redirection=True,
sql_dialect=None,
sql_dialect=SQL_DIALECT,
database=None,
):
if node_urls is None:
Expand Down Expand Up @@ -1520,6 +1521,36 @@ def value_to_bytes(data_types, values):
values_tobe_packed.append(b"\x05")
values_tobe_packed.append(len(value_bytes))
values_tobe_packed.append(value_bytes)
# TIMESTAMP
elif data_type == 8:
format_str_list.append("cq")
values_tobe_packed.append(b"\x08")
values_tobe_packed.append(value)
# DATE
elif data_type == 9:
format_str_list.append("ci")
values_tobe_packed.append(b"\x09")
values_tobe_packed.append(parse_date_to_int(value))
# BLOB
elif data_type == 10:
format_str_list.append("ci")
format_str_list.append(str(len(value)))
format_str_list.append("s")
values_tobe_packed.append(b"\x0a")
values_tobe_packed.append(len(value))
values_tobe_packed.append(value)
# STRING
elif data_type == 11:
if isinstance(value, str):
value_bytes = bytes(value, "utf-8")
else:
value_bytes = value
format_str_list.append("ci")
format_str_list.append(str(len(value_bytes)))
format_str_list.append("s")
values_tobe_packed.append(b"\x0b")
values_tobe_packed.append(len(value_bytes))
values_tobe_packed.append(value_bytes)
else:
raise RuntimeError("Unsupported data type:" + str(data_type))
format_str = "".join(format_str_list)
Expand Down
41 changes: 41 additions & 0 deletions iotdb-client/client-py/iotdb/tsfile/utils/DateUtils.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,41 @@
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
#

from datetime import date


class DateTimeParseException(Exception):
pass


def parse_int_to_date(date_int: int) -> date:
try:
year = date_int // 10000
month = (date_int // 100) % 100
day = date_int % 100
return date(year, month, day)
except ValueError as e:
raise DateTimeParseException("Invalid date format.") from e


def parse_date_to_int(local_date: date) -> int:
if local_date is None:
raise DateTimeParseException("Date expression is none or empty.")
if local_date.year < 1000:
raise DateTimeParseException("Year must be between 1000 and 9999.")
return local_date.year * 10000 + local_date.month * 100 + local_date.day
34 changes: 30 additions & 4 deletions iotdb-client/client-py/iotdb/utils/Field.py
Original file line number Diff line number Diff line change
Expand Up @@ -17,7 +17,8 @@
#

# for package
from .IoTDBConstants import TSDataType
from iotdb.utils.IoTDBConstants import TSDataType
from iotdb.tsfile.utils.DateUtils import parse_int_to_date
import numpy as np
import pandas as pd

Expand All @@ -36,7 +37,10 @@ def copy(field):
if output.get_data_type() is not None:
if output.get_data_type() == TSDataType.BOOLEAN:
output.set_bool_value(field.get_bool_value())
elif output.get_data_type() == TSDataType.INT32:
elif (
output.get_data_type() == TSDataType.INT32
or output.get_data_type() == TSDataType.DATE
):
output.set_int_value(field.get_int_value())
elif (
output.get_data_type() == TSDataType.INT64
Expand All @@ -50,6 +54,7 @@ def copy(field):
elif (
output.get_data_type() == TSDataType.TEXT
or output.get_data_type() == TSDataType.STRING
or output.get_data_type() == TSDataType.BLOB
):
output.set_binary_value(field.get_binary_value())
else:
Expand Down Expand Up @@ -86,6 +91,7 @@ def get_int_value(self):
raise Exception("Null Field Exception!")
if (
self.__data_type != TSDataType.INT32
and self.__data_type != TSDataType.DATE
or self.value is None
or self.value is pd.NA
):
Expand Down Expand Up @@ -151,11 +157,26 @@ def get_binary_value(self):
return None
return self.value

def get_date_value(self):
if self.__data_type is None:
raise Exception("Null Field Exception!")
if (
self.__data_type != TSDataType.DATE
or self.value is None
or self.value is pd.NA
):
return None
return parse_int_to_date(self.value)

def get_string_value(self):
if self.__data_type is None or self.value is None or self.value is pd.NA:
return "None"
# TEXT, STRING
elif self.__data_type == 5 or self.__data_type == 11:
return self.value.decode("utf-8")
# BLOB
elif self.__data_type == 10:
return str(hex(int.from_bytes(self.value, byteorder="big")))
else:
return str(self.get_object_value(self.__data_type))

Expand All @@ -172,13 +193,18 @@ def get_object_value(self, data_type):
return bool(self.value)
elif data_type == 1:
return np.int32(self.value)
elif data_type == 2:
elif data_type == 2 or data_type == 8:
return np.int64(self.value)
elif data_type == 3:
return np.float32(self.value)
elif data_type == 4:
return np.float64(self.value)
return self.value
elif data_type == 9:
return parse_int_to_date(self.value)
elif data_type == 5 or data_type == 10 or data_type == 11:
return self.value
else:
raise RuntimeError("Unsupported data type:" + str(data_type))

@staticmethod
def get_field(value, data_type):
Expand Down
7 changes: 5 additions & 2 deletions iotdb-client/client-py/iotdb/utils/IoTDBConstants.py
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,7 @@
# specific language governing permissions and limitations
# under the License.
#
from datetime import date
from enum import unique, IntEnum
import numpy as np

Expand All @@ -39,9 +40,11 @@ def np_dtype(self):
TSDataType.DOUBLE: np.dtype(">f8"),
TSDataType.INT32: np.dtype(">i4"),
TSDataType.INT64: np.dtype(">i8"),
TSDataType.TEXT: np.dtype("str"),
TSDataType.TEXT: str,
TSDataType.TIMESTAMP: np.dtype(">i8"),
TSDataType.STRING: np.dtype("str"),
TSDataType.DATE: date,
TSDataType.BLOB: bytes,
TSDataType.STRING: str,
}[self]


Expand Down
Loading
Loading