Skip to content

Commit 4293f91

Browse files
authored
feat: query parameters (#88)
add integration tests
1 parent 4cb8caa commit 4293f91

9 files changed

+284
-36
lines changed

.circleci/config.yml

+27-6
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,8 @@ commands:
66
parameters:
77
python-image:
88
type: string
9+
pytest-marker:
10+
type: string
911
steps:
1012
- restore_cache:
1113
name: Restoring Pip Cache
@@ -19,8 +21,8 @@ commands:
1921
mkdir test-reports || true
2022
pip install . --user
2123
pip install .\[dataframe\] --user
22-
pip install pytest pytest-cov --user
23-
pytest tests --junitxml=test-reports/junit.xml --cov=./ --cov-report xml:coverage.xml
24+
pip install .\[test\] --user
25+
pytest -m "<< parameters.pytest-marker >>" tests --junitxml=test-reports/junit.xml --cov=./ --cov-report xml:coverage.xml
2426
- save_cache:
2527
name: Saving Pip Cache
2628
key: *cache-key
@@ -34,7 +36,10 @@ jobs:
3436
parameters:
3537
python-image:
3638
type: string
37-
default: &default-python "cimg/python:3.7"
39+
default: &default-python "cimg/python:3.8"
40+
pytest-marker:
41+
type: string
42+
default: "not integration"
3843
docker:
3944
- image: << parameters.python-image >>
4045
environment:
@@ -43,6 +48,7 @@ jobs:
4348
- checkout
4449
- client-test:
4550
python-image: << parameters.python-image >>
51+
pytest-marker: << parameters.pytest-marker >>
4652
- store_test_results:
4753
path: test-reports
4854
- run:
@@ -63,21 +69,26 @@ jobs:
6369
PIPENV_VENV_IN_PROJECT: true
6470
steps:
6571
- checkout
72+
- run:
73+
name: Checks style consistency of setup.py.
74+
command: |
75+
pip install flake8 --user
76+
flake8 setup.py
6677
- run:
6778
name: Checks style consistency across sources.
6879
command: |
6980
pip install flake8 --user
70-
flake8 influxdb_client_3/
81+
flake8 influxdb_client_3/
7182
- run:
7283
name: Checks style consistency across tests.
7384
command: |
7485
pip install flake8 --user
75-
flake8 tests/
86+
flake8 tests/
7687
- run:
7788
name: Checks style consistency across examples.
7889
command: |
7990
pip install flake8 --user
80-
flake8 Examples/
91+
flake8 Examples/
8192
check-twine:
8293
docker:
8394
- image: *default-python
@@ -130,6 +141,16 @@ workflows:
130141
- tests-python:
131142
name: test-3.12
132143
python-image: "cimg/python:3.12"
144+
- tests-python:
145+
requires:
146+
- test-3.8
147+
- test-3.9
148+
- test-3.10
149+
- test-3.11
150+
- test-3.12
151+
name: test-integration
152+
python-image: *default-python
153+
pytest-marker: "integration"
133154

134155
nightly:
135156
when:

.markdownlint.yml

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
{
2+
"MD024": {
3+
"siblings_only": true
4+
},
5+
}

CHANGELOG.md

+19-4
Original file line numberDiff line numberDiff line change
@@ -1,15 +1,30 @@
1-
<!-- markdownlint-disable MD024 -->
21
# Change Log
32

43
## 0.5.0 [unreleased]
54

5+
### Features
6+
7+
1. [#88](https://github.com/InfluxCommunity/influxdb3-python/pull/88): Add support for named query parameters:
8+
```python
9+
from influxdb_client_3 import InfluxDBClient3
10+
11+
with InfluxDBClient3(host="https://us-east-1-1.aws.cloud2.influxdata.com",
12+
token="my-token",
13+
database="my-database") as client:
14+
15+
table = client.query("select * from cpu where host=$host", query_parameters={"host": "server01"})
16+
17+
print(table.to_pandas())
18+
19+
```
20+
621
### Bugfix
722

8-
- [#87](https://github.com/InfluxCommunity/influxdb3-python/pull/87): Fix examples to use `write_options` instead of the object name `WriteOptions`
23+
1. [#87](https://github.com/InfluxCommunity/influxdb3-python/pull/87): Fix examples to use `write_options` instead of the object name `WriteOptions`
924

1025
### Others
1126

12-
- [#84](https://github.com/InfluxCommunity/influxdb3-python/pull/84): Enable packaging type information - `py.typed`
27+
1. [#84](https://github.com/InfluxCommunity/influxdb3-python/pull/84): Enable packaging type information - `py.typed`
1328

1429
## 0.4.0 [2024-04-17]
1530

@@ -19,4 +34,4 @@
1934

2035
### Others
2136

22-
- [#80](https://github.com/InfluxCommunity/influxdb3-python/pull/80): Integrate code style check into CI
37+
1. [#80](https://github.com/InfluxCommunity/influxdb3-python/pull/80): Integrate code style check into CI

influxdb_client_3/__init__.py

+45-24
Original file line numberDiff line numberDiff line change
@@ -69,12 +69,26 @@ def _deep_merge(target, source):
6969
elif isinstance(target, list) and isinstance(source, list):
7070
# If both target and source are lists, concatenate them
7171
target.extend(source)
72-
else:
72+
elif source is not None:
7373
# For other types, simply replace the target with the source
7474
target = source
7575
return target
7676

7777

78+
def _merge_options(defaults, exclude_keys=None, custom=None):
79+
"""
80+
Merge default option arguments with custom (user-provided) arguments,
81+
excluding specific keys defined in exclude_keys.
82+
"""
83+
if custom is None or len(custom) == 0:
84+
return defaults
85+
86+
if exclude_keys is None:
87+
exclude_keys = []
88+
89+
return _deep_merge(defaults, {key: value for key, value in custom.items() if key not in exclude_keys})
90+
91+
7892
class InfluxDBClient3:
7993
def __init__(
8094
self,
@@ -135,14 +149,6 @@ def __init__(
135149
port = query_port_overwrite
136150
self._flight_client = FlightClient(f"grpc+tls://{hostname}:{port}", **self._flight_client_options)
137151

138-
def _merge_options(self, defaults, custom={}):
139-
"""
140-
Merge default option arguments with custom (user-provided) arguments.
141-
"""
142-
if len(custom) == 0:
143-
return defaults
144-
return _deep_merge(defaults, {key: value for key, value in custom.items()})
145-
146152
def write(self, record=None, database=None, **kwargs):
147153
"""
148154
Write data to InfluxDB.
@@ -214,20 +220,23 @@ def _process_dataframe(self, df, measurement_name, tag_columns, timestamp_column
214220
data_frame_tag_columns=tag_columns,
215221
data_frame_timestamp_column=timestamp_column, **kwargs)
216222

217-
def query(self, query, language="sql", mode="all", database=None, **kwargs):
218-
"""
219-
Query data from InfluxDB.
220-
221-
:param query: The query string.
222-
:type query: str
223-
:param language: The query language; "sql" or "influxql" (default is "sql").
224-
:type language: str
225-
:param mode: The mode of fetching data (all, pandas, chunk, reader, schema).
226-
:type mode: str
223+
def query(self, query: str, language: str = "sql", mode: str = "all", database: str = None, **kwargs):
224+
"""Query data from InfluxDB.
225+
226+
If you want to use query parameters, you can pass them as kwargs:
227+
228+
>>> client.query("select * from cpu where host=$host", query_parameters={"host": "server01"})
229+
230+
:param query: The query to execute on the database.
231+
:param language: The query language to use. It should be one of "influxql" or "sql". Defaults to "sql".
232+
:param mode: The mode to use for the query. It should be one of "all", "pandas", "polars", "chunk",
233+
"reader" or "schema". Defaults to "all".
227234
:param database: The database to query from. If not provided, uses the database provided during initialization.
228-
:type database: str
229-
:param kwargs: FlightClientCallOptions for the query.
230-
:return: The queried data.
235+
:param kwargs: Additional arguments to pass to the ``FlightCallOptions headers``. For example, it can be used to
236+
set up per request headers.
237+
:keyword query_parameters: The query parameters to use in the query.
238+
It should be a ``dictionary`` of key-value pairs.
239+
:return: The query result in the specified mode.
231240
"""
232241
if mode == "polars" and polars is False:
233242
raise ImportError("Polars is not installed. Please install it with `pip install polars`.")
@@ -241,10 +250,22 @@ def query(self, query, language="sql", mode="all", database=None, **kwargs):
241250
"headers": [(b"authorization", f"Bearer {self._token}".encode('utf-8'))],
242251
"timeout": 300
243252
}
244-
opts = self._merge_options(optargs, kwargs)
253+
opts = _merge_options(optargs, exclude_keys=['query_parameters'], custom=kwargs)
245254
_options = FlightCallOptions(**opts)
246255

247-
ticket_data = {"database": database, "sql_query": query, "query_type": language}
256+
#
257+
# Ticket data
258+
#
259+
ticket_data = {
260+
"database": database,
261+
"sql_query": query,
262+
"query_type": language
263+
}
264+
# add query parameters
265+
query_parameters = kwargs.get("query_parameters", None)
266+
if query_parameters:
267+
ticket_data["params"] = query_parameters
268+
248269
ticket = Ticket(json.dumps(ticket_data).encode('utf-8'))
249270
flight_reader = self._flight_client.do_get(ticket, _options)
250271

setup.py

+9-2
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,6 @@
22
import os
33
import re
44

5-
65
requires = [
76
'reactivex >= 4.0.4',
87
'certifi >= 14.05.14',
@@ -15,6 +14,7 @@
1514
with open("./README.md", "r", encoding="utf-8") as fh:
1615
long_description = fh.read()
1716

17+
1818
def get_version_from_github_ref():
1919
github_ref = os.environ.get("GITHUB_REF")
2020
if not github_ref:
@@ -26,6 +26,7 @@ def get_version_from_github_ref():
2626

2727
return match.group(1)
2828

29+
2930
def get_version():
3031
# If running in GitHub Actions, get version from GITHUB_REF
3132
version = get_version_from_github_ref()
@@ -35,6 +36,7 @@ def get_version():
3536
# Fallback to a default version if not in GitHub Actions
3637
return "v0.0.0"
3738

39+
3840
setup(
3941
name='influxdb3-python',
4042
version=get_version(),
@@ -45,7 +47,12 @@ def get_version():
4547
author_email='[email protected]',
4648
url='https://github.com/InfluxCommunity/influxdb3-python',
4749
packages=find_packages(exclude=['tests', 'tests.*', 'examples', 'examples.*']),
48-
extras_require={'pandas': ['pandas'], 'polars': ['polars'], 'dataframe': ['pandas', 'polars']},
50+
extras_require={
51+
'pandas': ['pandas'],
52+
'polars': ['polars'],
53+
'dataframe': ['pandas', 'polars'],
54+
'test': ['pytest', 'pytest-cov']
55+
},
4956
install_requires=requires,
5057
python_requires='>=3.8',
5158
classifiers=[

tests/test_deep_merge.py

+54
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,54 @@
1+
import unittest
2+
3+
import influxdb_client_3
4+
5+
6+
class TestDeepMerge(unittest.TestCase):
7+
8+
def test_deep_merge_dicts_with_no_overlap(self):
9+
target = {"a": 1, "b": 2}
10+
source = {"c": 3, "d": 4}
11+
result = influxdb_client_3._deep_merge(target, source)
12+
self.assertEqual(result, {"a": 1, "b": 2, "c": 3, "d": 4})
13+
14+
def test_deep_merge_dicts_with_overlap(self):
15+
target = {"a": 1, "b": 2}
16+
source = {"b": 3, "c": 4}
17+
result = influxdb_client_3._deep_merge(target, source)
18+
self.assertEqual(result, {"a": 1, "b": 3, "c": 4})
19+
20+
def test_deep_merge_nested_dicts(self):
21+
target = {"a": {"b": 1}}
22+
source = {"a": {"c": 2}}
23+
result = influxdb_client_3._deep_merge(target, source)
24+
self.assertEqual(result, {"a": {"b": 1, "c": 2}})
25+
26+
def test_deep_merge_lists(self):
27+
target = [1, 2]
28+
source = [3, 4]
29+
result = influxdb_client_3._deep_merge(target, source)
30+
self.assertEqual(result, [1, 2, 3, 4])
31+
32+
def test_deep_merge_non_overlapping_types(self):
33+
target = {"a": 1}
34+
source = [2, 3]
35+
result = influxdb_client_3._deep_merge(target, source)
36+
self.assertEqual(result, [2, 3])
37+
38+
def test_deep_merge_none_to_flight(self):
39+
target = {
40+
"headers": [(b"authorization", "Bearer xyz".encode('utf-8'))],
41+
"timeout": 300
42+
}
43+
source = None
44+
result = influxdb_client_3._deep_merge(target, source)
45+
self.assertEqual(result, target)
46+
47+
def test_deep_merge_empty_to_flight(self):
48+
target = {
49+
"headers": [(b"authorization", "Bearer xyz".encode('utf-8'))],
50+
"timeout": 300
51+
}
52+
source = {}
53+
result = influxdb_client_3._deep_merge(target, source)
54+
self.assertEqual(result, target)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
import os
2+
import time
3+
import unittest
4+
5+
import pytest
6+
7+
from influxdb_client_3 import InfluxDBClient3
8+
9+
10+
@pytest.mark.integration
11+
@pytest.mark.skipif(
12+
not all(
13+
[
14+
os.getenv('TESTING_INFLUXDB_URL'),
15+
os.getenv('TESTING_INFLUXDB_TOKEN'),
16+
os.getenv('TESTING_INFLUXDB_DATABASE'),
17+
]
18+
),
19+
reason="Integration test environment variables not set.",
20+
)
21+
class TestInfluxDBClient3Integration(unittest.TestCase):
22+
23+
def setUp(self):
24+
host = os.getenv('TESTING_INFLUXDB_URL')
25+
token = os.getenv('TESTING_INFLUXDB_TOKEN')
26+
database = os.getenv('TESTING_INFLUXDB_DATABASE')
27+
28+
self.client = InfluxDBClient3(host=host, database=database, token=token)
29+
30+
def tearDown(self):
31+
if self.client:
32+
self.client.close()
33+
34+
def test_write_and_query(self):
35+
test_id = time.time_ns()
36+
self.client.write(f"integration_test_python,type=used value=123.0,test_id={test_id}i")
37+
38+
sql = 'SELECT * FROM integration_test_python where type=$type and test_id=$test_id'
39+
40+
df = self.client.query(sql, mode="pandas", query_parameters={'type': 'used', 'test_id': test_id})
41+
42+
self.assertEqual(1, len(df))
43+
self.assertEqual(test_id, df['test_id'][0])
44+
self.assertEqual(123.0, df['value'][0])

0 commit comments

Comments
 (0)