1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478
|
# Copyright DataStax, Inc.
#
# Licensed 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.
import unittest
import ipaddress
import math
import random
import string
import socket
import uuid
from datetime import datetime, date, time, timedelta
from decimal import Decimal
from functools import partial
from packaging.version import Version
import cassandra
from cassandra import InvalidRequest
from cassandra import util
from cassandra.cluster import ExecutionProfile, EXEC_PROFILE_DEFAULT
from cassandra.concurrent import execute_concurrent_with_args
from cassandra.cqltypes import Int32Type, EMPTY
from cassandra.query import dict_factory, ordered_dict_factory
from cassandra.util import sortedset, Duration
from tests.unit.cython.utils import cythontest
from tests.integration import use_singledc, execute_until_pass, notprotocolv1, \
BasicSharedKeyspaceUnitTestCase, greaterthancass21, lessthancass30, greaterthanorequaldse51, \
DSE_VERSION, greaterthanorequalcass3_10, requiredse, TestCluster, greaterthanorequalcass50
from tests.integration.datatype_utils import update_datatypes, PRIMITIVE_DATATYPES, COLLECTION_TYPES, PRIMITIVE_DATATYPES_KEYS, \
get_sample, get_all_samples, get_collection_sample
def setup_module():
use_singledc()
update_datatypes()
class TypeTests(BasicSharedKeyspaceUnitTestCase):
@classmethod
def setUpClass(cls):
# cls._cass_version, cls. = get_server_versions()
super(TypeTests, cls).setUpClass()
cls.session.set_keyspace(cls.ks_name)
def test_can_insert_blob_type_as_string(self):
"""
Tests that byte strings in Python maps to blob type in Cassandra
"""
s = self.session
s.execute("CREATE TABLE blobstring (a ascii PRIMARY KEY, b blob)")
params = ['key1', b'blobbyblob']
query = "INSERT INTO blobstring (a, b) VALUES (%s, %s)"
s.execute(query, params)
results = s.execute("SELECT * FROM blobstring")[0]
for expected, actual in zip(params, results):
self.assertEqual(expected, actual)
def test_can_insert_blob_type_as_bytearray(self):
"""
Tests that blob type in Cassandra maps to bytearray in Python
"""
s = self.session
s.execute("CREATE TABLE blobbytes (a ascii PRIMARY KEY, b blob)")
params = ['key1', bytearray(b'blob1')]
s.execute("INSERT INTO blobbytes (a, b) VALUES (%s, %s)", params)
results = s.execute("SELECT * FROM blobbytes")[0]
for expected, actual in zip(params, results):
self.assertEqual(expected, actual)
@unittest.skipIf(not hasattr(cassandra, 'deserializers'), "Cython required for to test DesBytesTypeArray deserializer")
def test_des_bytes_type_array(self):
"""
Simple test to ensure the DesBytesTypeByteArray deserializer functionally works
@since 3.1
@jira_ticket PYTHON-503
@expected_result byte array should be deserialized appropriately.
@test_category queries:custom_payload
"""
original = None
try:
original = cassandra.deserializers.DesBytesType
cassandra.deserializers.DesBytesType = cassandra.deserializers.DesBytesTypeByteArray
s = self.session
s.execute("CREATE TABLE blobbytes2 (a ascii PRIMARY KEY, b blob)")
params = ['key1', bytearray(b'blob1')]
s.execute("INSERT INTO blobbytes2 (a, b) VALUES (%s, %s)", params)
results = s.execute("SELECT * FROM blobbytes2")[0]
for expected, actual in zip(params, results):
self.assertEqual(expected, actual)
finally:
if original is not None:
cassandra.deserializers.DesBytesType=original
def test_can_insert_primitive_datatypes(self):
"""
Test insertion of all datatype primitives
"""
c = TestCluster()
s = c.connect(self.keyspace_name)
# create table
alpha_type_list = ["zz int PRIMARY KEY"]
col_names = ["zz"]
start_index = ord('a')
for i, datatype in enumerate(PRIMITIVE_DATATYPES):
alpha_type_list.append("{0} {1}".format(chr(start_index + i), datatype))
col_names.append(chr(start_index + i))
s.execute("CREATE TABLE alltypes ({0})".format(', '.join(alpha_type_list)))
# create the input
params = [0]
for datatype in PRIMITIVE_DATATYPES:
params.append((get_sample(datatype)))
# insert into table as a simple statement
columns_string = ', '.join(col_names)
placeholders = ', '.join(["%s"] * len(col_names))
s.execute("INSERT INTO alltypes ({0}) VALUES ({1})".format(columns_string, placeholders), params)
# verify data
results = s.execute("SELECT {0} FROM alltypes WHERE zz=0".format(columns_string))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# try the same thing sending one insert at the time
s.execute("TRUNCATE alltypes;")
for i, datatype in enumerate(PRIMITIVE_DATATYPES):
single_col_name = chr(start_index + i)
single_col_names = ["zz", single_col_name]
placeholders = ','.join(["%s"] * len(single_col_names))
single_columns_string = ', '.join(single_col_names)
for j, data_sample in enumerate(get_all_samples(datatype)):
key = i + 1000 * j
single_params = (key, data_sample)
s.execute("INSERT INTO alltypes ({0}) VALUES ({1})".format(single_columns_string, placeholders),
single_params)
# verify data
result = s.execute("SELECT {0} FROM alltypes WHERE zz=%s".format(single_columns_string), (key,))[0][1]
compare_value = data_sample
if isinstance(data_sample, ipaddress.IPv4Address) or isinstance(data_sample, ipaddress.IPv6Address):
compare_value = str(data_sample)
self.assertEqual(result, compare_value)
# try the same thing with a prepared statement
placeholders = ','.join(["?"] * len(col_names))
s.execute("TRUNCATE alltypes;")
insert = s.prepare("INSERT INTO alltypes ({0}) VALUES ({1})".format(columns_string, placeholders))
s.execute(insert.bind(params))
# verify data
results = s.execute("SELECT {0} FROM alltypes WHERE zz=0".format(columns_string))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# verify data with prepared statement query
select = s.prepare("SELECT {0} FROM alltypes WHERE zz=?".format(columns_string))
results = s.execute(select.bind([0]))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# verify data with with prepared statement, use dictionary with no explicit columns
select = s.prepare("SELECT * FROM alltypes")
results = s.execute(select,
execution_profile=s.execution_profile_clone_update(EXEC_PROFILE_DEFAULT, row_factory=ordered_dict_factory))[0]
for expected, actual in zip(params, results.values()):
self.assertEqual(actual, expected)
c.shutdown()
def test_can_insert_collection_datatypes(self):
"""
Test insertion of all collection types
"""
c = TestCluster()
s = c.connect(self.keyspace_name)
# use tuple encoding, to convert native python tuple into raw CQL
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
# create table
alpha_type_list = ["zz int PRIMARY KEY"]
col_names = ["zz"]
start_index = ord('a')
for i, collection_type in enumerate(COLLECTION_TYPES):
for j, datatype in enumerate(PRIMITIVE_DATATYPES_KEYS):
if collection_type == "map":
type_string = "{0}_{1} {2}<{3}, {3}>".format(chr(start_index + i), chr(start_index + j),
collection_type, datatype)
elif collection_type == "tuple":
type_string = "{0}_{1} frozen<{2}<{3}>>".format(chr(start_index + i), chr(start_index + j),
collection_type, datatype)
else:
type_string = "{0}_{1} {2}<{3}>".format(chr(start_index + i), chr(start_index + j),
collection_type, datatype)
alpha_type_list.append(type_string)
col_names.append("{0}_{1}".format(chr(start_index + i), chr(start_index + j)))
s.execute("CREATE TABLE allcoltypes ({0})".format(', '.join(alpha_type_list)))
columns_string = ', '.join(col_names)
# create the input for simple statement
params = [0]
for collection_type in COLLECTION_TYPES:
for datatype in PRIMITIVE_DATATYPES_KEYS:
params.append((get_collection_sample(collection_type, datatype)))
# insert into table as a simple statement
placeholders = ', '.join(["%s"] * len(col_names))
s.execute("INSERT INTO allcoltypes ({0}) VALUES ({1})".format(columns_string, placeholders), params)
# verify data
results = s.execute("SELECT {0} FROM allcoltypes WHERE zz=0".format(columns_string))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# create the input for prepared statement
params = [0]
for collection_type in COLLECTION_TYPES:
for datatype in PRIMITIVE_DATATYPES_KEYS:
params.append((get_collection_sample(collection_type, datatype)))
# try the same thing with a prepared statement
placeholders = ','.join(["?"] * len(col_names))
insert = s.prepare("INSERT INTO allcoltypes ({0}) VALUES ({1})".format(columns_string, placeholders))
s.execute(insert.bind(params))
# verify data
results = s.execute("SELECT {0} FROM allcoltypes WHERE zz=0".format(columns_string))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# verify data with prepared statement query
select = s.prepare("SELECT {0} FROM allcoltypes WHERE zz=?".format(columns_string))
results = s.execute(select.bind([0]))[0]
for expected, actual in zip(params, results):
self.assertEqual(actual, expected)
# verify data with with prepared statement, use dictionary with no explicit columns
select = s.prepare("SELECT * FROM allcoltypes")
results = s.execute(select,
execution_profile=s.execution_profile_clone_update(EXEC_PROFILE_DEFAULT,
row_factory=ordered_dict_factory))[0]
for expected, actual in zip(params, results.values()):
self.assertEqual(actual, expected)
c.shutdown()
def test_can_insert_empty_strings_and_nulls(self):
"""
Test insertion of empty strings and null values
"""
s = self.session
# create table
alpha_type_list = ["zz int PRIMARY KEY"]
col_names = []
string_types = set(('ascii', 'text', 'varchar'))
string_columns = set((''))
# this is just a list of types to try with empty strings
non_string_types = PRIMITIVE_DATATYPES - string_types - set(('blob', 'date', 'inet', 'time', 'timestamp'))
non_string_columns = set()
start_index = ord('a')
for i, datatype in enumerate(PRIMITIVE_DATATYPES):
col_name = chr(start_index + i)
alpha_type_list.append("{0} {1}".format(col_name, datatype))
col_names.append(col_name)
if datatype in non_string_types:
non_string_columns.add(col_name)
if datatype in string_types:
string_columns.add(col_name)
execute_until_pass(s, "CREATE TABLE all_empty ({0})".format(', '.join(alpha_type_list)))
# verify all types initially null with simple statement
columns_string = ','.join(col_names)
s.execute("INSERT INTO all_empty (zz) VALUES (2)")
results = s.execute("SELECT {0} FROM all_empty WHERE zz=2".format(columns_string))[0]
self.assertTrue(all(x is None for x in results))
# verify all types initially null with prepared statement
select = s.prepare("SELECT {0} FROM all_empty WHERE zz=?".format(columns_string))
results = s.execute(select.bind([2]))[0]
self.assertTrue(all(x is None for x in results))
# insert empty strings for string-like fields
expected_values = dict((col, '') for col in string_columns)
columns_string = ','.join(string_columns)
placeholders = ','.join(["%s"] * len(string_columns))
s.execute("INSERT INTO all_empty (zz, {0}) VALUES (3, {1})".format(columns_string, placeholders), expected_values.values())
# verify string types empty with simple statement
results = s.execute("SELECT {0} FROM all_empty WHERE zz=3".format(columns_string))[0]
for expected, actual in zip(expected_values.values(), results):
self.assertEqual(actual, expected)
# verify string types empty with prepared statement
results = s.execute(s.prepare("SELECT {0} FROM all_empty WHERE zz=?".format(columns_string)), [3])[0]
for expected, actual in zip(expected_values.values(), results):
self.assertEqual(actual, expected)
# non-string types shouldn't accept empty strings
for col in non_string_columns:
query = "INSERT INTO all_empty (zz, {0}) VALUES (4, %s)".format(col)
with self.assertRaises(InvalidRequest):
s.execute(query, [''])
insert = s.prepare("INSERT INTO all_empty (zz, {0}) VALUES (4, ?)".format(col))
with self.assertRaises(TypeError):
s.execute(insert, [''])
# verify that Nones can be inserted and overwrites existing data
# create the input
params = []
for datatype in PRIMITIVE_DATATYPES:
params.append((get_sample(datatype)))
# insert the data
columns_string = ','.join(col_names)
placeholders = ','.join(["%s"] * len(col_names))
simple_insert = "INSERT INTO all_empty (zz, {0}) VALUES (5, {1})".format(columns_string, placeholders)
s.execute(simple_insert, params)
# then insert None, which should null them out
null_values = [None] * len(col_names)
s.execute(simple_insert, null_values)
# check via simple statement
query = "SELECT {0} FROM all_empty WHERE zz=5".format(columns_string)
results = s.execute(query)[0]
for col in results:
self.assertEqual(None, col)
# check via prepared statement
select = s.prepare("SELECT {0} FROM all_empty WHERE zz=?".format(columns_string))
results = s.execute(select.bind([5]))[0]
for col in results:
self.assertEqual(None, col)
# do the same thing again, but use a prepared statement to insert the nulls
s.execute(simple_insert, params)
placeholders = ','.join(["?"] * len(col_names))
insert = s.prepare("INSERT INTO all_empty (zz, {0}) VALUES (5, {1})".format(columns_string, placeholders))
s.execute(insert, null_values)
results = s.execute(query)[0]
for col in results:
self.assertEqual(None, col)
results = s.execute(select.bind([5]))[0]
for col in results:
self.assertEqual(None, col)
def test_can_insert_empty_values_for_int32(self):
"""
Ensure Int32Type supports empty values
"""
s = self.session
execute_until_pass(s, "CREATE TABLE empty_values (a text PRIMARY KEY, b int)")
execute_until_pass(s, "INSERT INTO empty_values (a, b) VALUES ('a', blobAsInt(0x))")
try:
Int32Type.support_empty_values = True
results = execute_until_pass(s, "SELECT b FROM empty_values WHERE a='a'")[0]
self.assertIs(EMPTY, results.b)
finally:
Int32Type.support_empty_values = False
def test_timezone_aware_datetimes_are_timestamps(self):
"""
Ensure timezone-aware datetimes are converted to timestamps correctly
"""
try:
import pytz
except ImportError as exc:
raise unittest.SkipTest('pytz is not available: %r' % (exc,))
dt = datetime(1997, 8, 29, 11, 14)
eastern_tz = pytz.timezone('US/Eastern')
eastern_tz.localize(dt)
s = self.session
s.execute("CREATE TABLE tz_aware (a ascii PRIMARY KEY, b timestamp)")
# test non-prepared statement
s.execute("INSERT INTO tz_aware (a, b) VALUES ('key1', %s)", [dt])
result = s.execute("SELECT b FROM tz_aware WHERE a='key1'")[0].b
self.assertEqual(dt.utctimetuple(), result.utctimetuple())
# test prepared statement
insert = s.prepare("INSERT INTO tz_aware (a, b) VALUES ('key2', ?)")
s.execute(insert.bind([dt]))
result = s.execute("SELECT b FROM tz_aware WHERE a='key2'")[0].b
self.assertEqual(dt.utctimetuple(), result.utctimetuple())
def test_can_insert_tuples(self):
"""
Basic test of tuple functionality
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
c = TestCluster()
s = c.connect(self.keyspace_name)
# use this encoder in order to insert tuples
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
s.execute("CREATE TABLE tuple_type (a int PRIMARY KEY, b frozen<tuple<ascii, int, boolean>>)")
# test non-prepared statement
complete = ('foo', 123, True)
s.execute("INSERT INTO tuple_type (a, b) VALUES (0, %s)", parameters=(complete,))
result = s.execute("SELECT b FROM tuple_type WHERE a=0")[0]
self.assertEqual(complete, result.b)
partial = ('bar', 456)
partial_result = partial + (None,)
s.execute("INSERT INTO tuple_type (a, b) VALUES (1, %s)", parameters=(partial,))
result = s.execute("SELECT b FROM tuple_type WHERE a=1")[0]
self.assertEqual(partial_result, result.b)
# test single value tuples
subpartial = ('zoo',)
subpartial_result = subpartial + (None, None)
s.execute("INSERT INTO tuple_type (a, b) VALUES (2, %s)", parameters=(subpartial,))
result = s.execute("SELECT b FROM tuple_type WHERE a=2")[0]
self.assertEqual(subpartial_result, result.b)
# test prepared statement
prepared = s.prepare("INSERT INTO tuple_type (a, b) VALUES (?, ?)")
s.execute(prepared, parameters=(3, complete))
s.execute(prepared, parameters=(4, partial))
s.execute(prepared, parameters=(5, subpartial))
# extra items in the tuple should result in an error
self.assertRaises(ValueError, s.execute, prepared, parameters=(0, (1, 2, 3, 4, 5, 6)))
prepared = s.prepare("SELECT b FROM tuple_type WHERE a=?")
self.assertEqual(complete, s.execute(prepared, (3,))[0].b)
self.assertEqual(partial_result, s.execute(prepared, (4,))[0].b)
self.assertEqual(subpartial_result, s.execute(prepared, (5,))[0].b)
c.shutdown()
def test_can_insert_tuples_with_varying_lengths(self):
"""
Test tuple types of lengths of 1, 2, 3, and 384 to ensure edge cases work
as expected.
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
c = TestCluster(
execution_profiles={EXEC_PROFILE_DEFAULT: ExecutionProfile(row_factory=dict_factory)}
)
s = c.connect(self.keyspace_name)
# set the encoder for tuples for the ability to write tuples
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
# programmatically create the table with tuples of said sizes
lengths = (1, 2, 3, 384)
value_schema = []
for i in lengths:
value_schema += [' v_%s frozen<tuple<%s>>' % (i, ', '.join(['int'] * i))]
s.execute("CREATE TABLE tuple_lengths (k int PRIMARY KEY, %s)" % (', '.join(value_schema),))
# insert tuples into same key using different columns
# and verify the results
for i in lengths:
# ensure tuples of larger sizes throw an error
created_tuple = tuple(range(0, i + 1))
self.assertRaises(InvalidRequest, s.execute, "INSERT INTO tuple_lengths (k, v_%s) VALUES (0, %s)", (i, created_tuple))
# ensure tuples of proper sizes are written and read correctly
created_tuple = tuple(range(0, i))
s.execute("INSERT INTO tuple_lengths (k, v_%s) VALUES (0, %s)", (i, created_tuple))
result = s.execute("SELECT v_%s FROM tuple_lengths WHERE k=0", (i,))[0]
self.assertEqual(tuple(created_tuple), result['v_%s' % i])
c.shutdown()
def test_can_insert_tuples_all_primitive_datatypes(self):
"""
Ensure tuple subtypes are appropriately handled.
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
c = TestCluster()
s = c.connect(self.keyspace_name)
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
s.execute("CREATE TABLE tuple_primitive ("
"k int PRIMARY KEY, "
"v frozen<tuple<%s>>)" % ','.join(PRIMITIVE_DATATYPES))
values = []
type_count = len(PRIMITIVE_DATATYPES)
for i, data_type in enumerate(PRIMITIVE_DATATYPES):
# create tuples to be written and ensure they match with the expected response
# responses have trailing None values for every element that has not been written
values.append(get_sample(data_type))
expected = tuple(values + [None] * (type_count - len(values)))
s.execute("INSERT INTO tuple_primitive (k, v) VALUES (%s, %s)", (i, tuple(values)))
result = s.execute("SELECT v FROM tuple_primitive WHERE k=%s", (i,))[0]
self.assertEqual(result.v, expected)
c.shutdown()
def test_can_insert_tuples_all_collection_datatypes(self):
"""
Ensure tuple subtypes are appropriately handled for maps, sets, and lists.
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
c = TestCluster(
execution_profiles={EXEC_PROFILE_DEFAULT: ExecutionProfile(row_factory=dict_factory)}
)
s = c.connect(self.keyspace_name)
# set the encoder for tuples for the ability to write tuples
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
values = []
# create list values
for datatype in PRIMITIVE_DATATYPES_KEYS:
values.append('v_{0} frozen<tuple<list<{1}>>>'.format(len(values), datatype))
# create set values
for datatype in PRIMITIVE_DATATYPES_KEYS:
values.append('v_{0} frozen<tuple<set<{1}>>>'.format(len(values), datatype))
# create map values
for datatype in PRIMITIVE_DATATYPES_KEYS:
datatype_1 = datatype_2 = datatype
if datatype == 'blob':
# unhashable type: 'bytearray'
datatype_1 = 'ascii'
values.append('v_{0} frozen<tuple<map<{1}, {2}>>>'.format(len(values), datatype_1, datatype_2))
# make sure we're testing all non primitive data types in the future
if set(COLLECTION_TYPES) != set(['tuple', 'list', 'map', 'set']):
raise NotImplemented('Missing datatype not implemented: {}'.format(
set(COLLECTION_TYPES) - set(['tuple', 'list', 'map', 'set'])
))
# create table
s.execute("CREATE TABLE tuple_non_primative ("
"k int PRIMARY KEY, "
"%s)" % ', '.join(values))
i = 0
# test tuple<list<datatype>>
for datatype in PRIMITIVE_DATATYPES_KEYS:
created_tuple = tuple([[get_sample(datatype)]])
s.execute("INSERT INTO tuple_non_primative (k, v_%s) VALUES (0, %s)", (i, created_tuple))
result = s.execute("SELECT v_%s FROM tuple_non_primative WHERE k=0", (i,))[0]
self.assertEqual(created_tuple, result['v_%s' % i])
i += 1
# test tuple<set<datatype>>
for datatype in PRIMITIVE_DATATYPES_KEYS:
created_tuple = tuple([sortedset([get_sample(datatype)])])
s.execute("INSERT INTO tuple_non_primative (k, v_%s) VALUES (0, %s)", (i, created_tuple))
result = s.execute("SELECT v_%s FROM tuple_non_primative WHERE k=0", (i,))[0]
self.assertEqual(created_tuple, result['v_%s' % i])
i += 1
# test tuple<map<datatype, datatype>>
for datatype in PRIMITIVE_DATATYPES_KEYS:
if datatype == 'blob':
# unhashable type: 'bytearray'
created_tuple = tuple([{get_sample('ascii'): get_sample(datatype)}])
else:
created_tuple = tuple([{get_sample(datatype): get_sample(datatype)}])
s.execute("INSERT INTO tuple_non_primative (k, v_%s) VALUES (0, %s)", (i, created_tuple))
result = s.execute("SELECT v_%s FROM tuple_non_primative WHERE k=0", (i,))[0]
self.assertEqual(created_tuple, result['v_%s' % i])
i += 1
c.shutdown()
def nested_tuples_schema_helper(self, depth):
"""
Helper method for creating nested tuple schema
"""
if depth == 0:
return 'int'
else:
return 'tuple<%s>' % self.nested_tuples_schema_helper(depth - 1)
def nested_tuples_creator_helper(self, depth):
"""
Helper method for creating nested tuples
"""
if depth == 0:
return 303
else:
return (self.nested_tuples_creator_helper(depth - 1), )
def test_can_insert_nested_tuples(self):
"""
Ensure nested are appropriately handled.
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
c = TestCluster(
execution_profiles={EXEC_PROFILE_DEFAULT: ExecutionProfile(row_factory=dict_factory)}
)
s = c.connect(self.keyspace_name)
# set the encoder for tuples for the ability to write tuples
s.encoder.mapping[tuple] = s.encoder.cql_encode_tuple
# create a table with multiple sizes of nested tuples
s.execute("CREATE TABLE nested_tuples ("
"k int PRIMARY KEY, "
"v_1 frozen<%s>,"
"v_2 frozen<%s>,"
"v_3 frozen<%s>,"
"v_32 frozen<%s>"
")" % (self.nested_tuples_schema_helper(1),
self.nested_tuples_schema_helper(2),
self.nested_tuples_schema_helper(3),
self.nested_tuples_schema_helper(32)))
for i in (1, 2, 3, 32):
# create tuple
created_tuple = self.nested_tuples_creator_helper(i)
# write tuple
s.execute("INSERT INTO nested_tuples (k, v_%s) VALUES (%s, %s)", (i, i, created_tuple))
# verify tuple was written and read correctly
result = s.execute("SELECT v_%s FROM nested_tuples WHERE k=%s", (i, i))[0]
self.assertEqual(created_tuple, result['v_%s' % i])
c.shutdown()
def test_can_insert_tuples_with_nulls(self):
"""
Test tuples with null and empty string fields.
"""
if self.cass_version < (2, 1, 0):
raise unittest.SkipTest("The tuple type was introduced in Cassandra 2.1")
s = self.session
s.execute("CREATE TABLE tuples_nulls (k int PRIMARY KEY, t frozen<tuple<text, int, uuid, blob>>)")
insert = s.prepare("INSERT INTO tuples_nulls (k, t) VALUES (0, ?)")
s.execute(insert, [(None, None, None, None)])
result = s.execute("SELECT * FROM tuples_nulls WHERE k=0")
self.assertEqual((None, None, None, None), result[0].t)
read = s.prepare("SELECT * FROM tuples_nulls WHERE k=0")
self.assertEqual((None, None, None, None), s.execute(read)[0].t)
# also test empty strings where compatible
s.execute(insert, [('', None, None, b'')])
result = s.execute("SELECT * FROM tuples_nulls WHERE k=0")
self.assertEqual(('', None, None, b''), result[0].t)
self.assertEqual(('', None, None, b''), s.execute(read)[0].t)
def test_can_insert_unicode_query_string(self):
"""
Test to ensure unicode strings can be used in a query
"""
s = self.session
s.execute(u"SELECT * FROM system.local WHERE key = 'ef\u2052ef'")
s.execute(u"SELECT * FROM system.local WHERE key = %s", (u"fe\u2051fe",))
def test_can_read_composite_type(self):
"""
Test to ensure that CompositeTypes can be used in a query
"""
s = self.session
s.execute("""
CREATE TABLE composites (
a int PRIMARY KEY,
b 'org.apache.cassandra.db.marshal.CompositeType(AsciiType, Int32Type)'
)""")
# CompositeType string literals are split on ':' chars
s.execute("INSERT INTO composites (a, b) VALUES (0, 'abc:123')")
result = s.execute("SELECT * FROM composites WHERE a = 0")[0]
self.assertEqual(0, result.a)
self.assertEqual(('abc', 123), result.b)
# CompositeType values can omit elements at the end
s.execute("INSERT INTO composites (a, b) VALUES (0, 'abc')")
result = s.execute("SELECT * FROM composites WHERE a = 0")[0]
self.assertEqual(0, result.a)
self.assertEqual(('abc',), result.b)
@notprotocolv1
def test_special_float_cql_encoding(self):
"""
Test to insure that Infinity -Infinity and NaN are supported by the python driver.
@since 3.0.0
@jira_ticket PYTHON-282
@expected_result nan, inf and -inf can be inserted and selected correctly.
@test_category data_types
"""
s = self.session
s.execute("""
CREATE TABLE float_cql_encoding (
f float PRIMARY KEY,
d double
)""")
items = (float('nan'), float('inf'), float('-inf'))
def verify_insert_select(ins_statement, sel_statement):
execute_concurrent_with_args(s, ins_statement, ((f, f) for f in items))
for f in items:
row = s.execute(sel_statement, (f,))[0]
if math.isnan(f):
self.assertTrue(math.isnan(row.f))
self.assertTrue(math.isnan(row.d))
else:
self.assertEqual(row.f, f)
self.assertEqual(row.d, f)
# cql encoding
verify_insert_select('INSERT INTO float_cql_encoding (f, d) VALUES (%s, %s)',
'SELECT * FROM float_cql_encoding WHERE f=%s')
s.execute("TRUNCATE float_cql_encoding")
# prepared binding
verify_insert_select(s.prepare('INSERT INTO float_cql_encoding (f, d) VALUES (?, ?)'),
s.prepare('SELECT * FROM float_cql_encoding WHERE f=?'))
@cythontest
def test_cython_decimal(self):
"""
Test to validate that decimal deserialization works correctly in with our cython extensions
@since 3.0.0
@jira_ticket PYTHON-212
@expected_result no exceptions are thrown, decimal is decoded correctly
@test_category data_types serialization
"""
self.session.execute("CREATE TABLE {0} (dc decimal PRIMARY KEY)".format(self.function_table_name))
try:
self.session.execute("INSERT INTO {0} (dc) VALUES (-1.08430792318105707)".format(self.function_table_name))
results = self.session.execute("SELECT * FROM {0}".format(self.function_table_name))
self.assertTrue(str(results[0].dc) == '-1.08430792318105707')
finally:
self.session.execute("DROP TABLE {0}".format(self.function_table_name))
@greaterthanorequalcass3_10
def test_smoke_duration_values(self):
"""
Test to write several Duration values to the database and verify
they can be read correctly. The verify than an exception is arisen
if the value is too big
@since 3.10
@jira_ticket PYTHON-747
@expected_result the read value in C* matches the written one
@test_category data_types serialization
"""
self.session.execute("""
CREATE TABLE duration_smoke (k int primary key, v duration)
""")
self.addCleanup(self.session.execute, "DROP TABLE duration_smoke")
prepared = self.session.prepare("""
INSERT INTO duration_smoke (k, v)
VALUES (?, ?)
""")
nanosecond_smoke_values = [0, -1, 1, 100, 1000, 1000000, 1000000000,
10000000000000,-9223372036854775807, 9223372036854775807,
int("7FFFFFFFFFFFFFFF", 16), int("-7FFFFFFFFFFFFFFF", 16)]
month_day_smoke_values = [0, -1, 1, 100, 1000, 1000000, 1000000000,
int("7FFFFFFF", 16), int("-7FFFFFFF", 16)]
for nanosecond_value in nanosecond_smoke_values:
for month_day_value in month_day_smoke_values:
# Must have the same sign
if (month_day_value <= 0) != (nanosecond_value <= 0):
continue
self.session.execute(prepared, (1, Duration(month_day_value, month_day_value, nanosecond_value)))
results = self.session.execute("SELECT * FROM duration_smoke")
v = results[0][1]
self.assertEqual(Duration(month_day_value, month_day_value, nanosecond_value), v,
"Error encoding value {0},{0},{1}".format(month_day_value, nanosecond_value))
self.assertRaises(ValueError, self.session.execute, prepared,
(1, Duration(0, 0, int("8FFFFFFFFFFFFFF0", 16))))
self.assertRaises(ValueError, self.session.execute, prepared,
(1, Duration(0, int("8FFFFFFFFFFFFFF0", 16), 0)))
self.assertRaises(ValueError, self.session.execute, prepared,
(1, Duration(int("8FFFFFFFFFFFFFF0", 16), 0, 0)))
@requiredse
class AbstractDateRangeTest():
def test_single_value_daterange_round_trip(self):
self._daterange_round_trip(
util.DateRange(
value=util.DateRangeBound(
datetime(2014, 10, 1, 0),
util.DateRangePrecision.YEAR
)
),
util.DateRange(
value=util.DateRangeBound(
datetime(2014, 1, 1, 0),
util.DateRangePrecision.YEAR
)
)
)
def test_open_high_daterange_round_trip(self):
self._daterange_round_trip(
util.DateRange(
lower_bound=util.DateRangeBound(
datetime(2013, 10, 1, 6, 20, 39),
util.DateRangePrecision.SECOND
)
)
)
def test_open_low_daterange_round_trip(self):
self._daterange_round_trip(
util.DateRange(
upper_bound=util.DateRangeBound(
datetime(2013, 10, 28),
util.DateRangePrecision.DAY
)
)
)
def test_open_both_daterange_round_trip(self):
self._daterange_round_trip(
util.DateRange(
lower_bound=util.OPEN_BOUND,
upper_bound=util.OPEN_BOUND,
)
)
def test_closed_daterange_round_trip(self):
insert = util.DateRange(
lower_bound=util.DateRangeBound(
datetime(2015, 3, 1, 10, 15, 30, 1000),
util.DateRangePrecision.MILLISECOND
),
upper_bound=util.DateRangeBound(
datetime(2016, 1, 1, 10, 15, 30, 999000),
util.DateRangePrecision.MILLISECOND
)
)
self._daterange_round_trip(insert)
def test_epoch_value_round_trip(self):
insert = util.DateRange(
value=util.DateRangeBound(
datetime(1970, 1, 1),
util.DateRangePrecision.YEAR
)
)
self._daterange_round_trip(insert)
def test_double_bounded_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'[2015-03-01T10:15:30.010Z TO 2016-01-01T10:15:30.999Z]',
util.DateRange(
lower_bound=util.DateRangeBound(
datetime(2015, 3, 1, 10, 15, 30, 10000),
util.DateRangePrecision.MILLISECOND
),
upper_bound=util.DateRangeBound(
datetime(2016, 1, 1, 10, 15, 30, 999000),
util.DateRangePrecision.MILLISECOND
),
)
)
def test_open_high_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'[2015-03 TO *]',
util.DateRange(
lower_bound=util.DateRangeBound(
datetime(2015, 3, 1, 0, 0),
util.DateRangePrecision.MONTH
),
upper_bound=util.DateRangeBound(None, None)
)
)
def test_open_low_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'[* TO 2015-03]',
util.DateRange(
lower_bound=util.DateRangeBound(None, None),
upper_bound=util.DateRangeBound(
datetime(2015, 3, 1, 0, 0),
'MONTH'
)
)
)
def test_no_bounds_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'[* TO *]',
util.DateRange(
lower_bound=(None, None),
upper_bound=(None, None)
)
)
def test_single_no_bounds_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'*',
util.DateRange(
value=(None, None)
)
)
def test_single_value_daterange_round_trip_from_string(self):
self._daterange_round_trip(
'2001-01-01T12:30:30.000Z',
util.DateRange(
value=util.DateRangeBound(
datetime(2001, 1, 1, 12, 30, 30),
'MILLISECOND'
)
)
)
def test_daterange_with_negative_bound_round_trip_from_string(self):
self._daterange_round_trip(
'[-1991-01-01T00:00:00.001 TO 1990-02-03]',
util.DateRange(
lower_bound=(-124997039999999, 'MILLISECOND'),
upper_bound=util.DateRangeBound(
datetime(1990, 2, 3, 12, 30, 30),
'DAY'
)
)
)
def test_epoch_value_round_trip_from_string(self):
self._daterange_round_trip(
'1970',
util.DateRange(
value=util.DateRangeBound(
datetime(1970, 1, 1),
util.DateRangePrecision.YEAR
)
)
)
@greaterthanorequaldse51
class TestDateRangePrepared(AbstractDateRangeTest, BasicSharedKeyspaceUnitTestCase):
"""
Tests various inserts and queries using Date-ranges and prepared queries
@since 2.0.0
@jira_ticket PYTHON-668
@expected_result Date ranges will be inserted and retrieved succesfully
@test_category data_types
"""
@classmethod
def setUpClass(cls):
super(TestDateRangePrepared, cls).setUpClass()
cls.session.set_keyspace(cls.ks_name)
if DSE_VERSION and DSE_VERSION >= Version('5.1'):
cls.session.execute("CREATE TABLE tab (dr 'DateRangeType' PRIMARY KEY)")
def _daterange_round_trip(self, to_insert, expected=None):
if isinstance(to_insert, util.DateRange):
prep = self.session.prepare("INSERT INTO tab (dr) VALUES (?);")
self.session.execute(prep, (to_insert,))
prep_sel = self.session.prepare("SELECT * FROM tab WHERE dr = ? ")
results = self.session.execute(prep_sel, (to_insert,))
else:
prep = self.session.prepare("INSERT INTO tab (dr) VALUES ('%s');" % (to_insert,))
self.session.execute(prep)
prep_sel = self.session.prepare("SELECT * FROM tab WHERE dr = '%s' " % (to_insert,))
results = self.session.execute(prep_sel)
dr = results[0].dr
# sometimes this is truncated in the assertEqual output on failure;
if isinstance(expected, str):
self.assertEqual(str(dr), expected)
else:
self.assertEqual(dr, expected or to_insert)
# This can only be run as a prepared statement
def test_daterange_wide(self):
self._daterange_round_trip(
util.DateRange(
lower_bound=(-9223372036854775808, 'MILLISECOND'),
upper_bound=(9223372036854775807, 'MILLISECOND')
),
'[-9223372036854775808ms TO 9223372036854775807ms]'
)
# This can only be run as a prepared statement
def test_daterange_with_negative_bound_round_trip_to_string(self):
self._daterange_round_trip(
util.DateRange(
lower_bound=(-124997039999999, 'MILLISECOND'),
upper_bound=util.DateRangeBound(
datetime(1990, 2, 3, 12, 30, 30),
'DAY'
)
),
'[-124997039999999ms TO 1990-02-03]'
)
@greaterthanorequaldse51
class TestDateRangeSimple(AbstractDateRangeTest, BasicSharedKeyspaceUnitTestCase):
"""
Tests various inserts and queries using Date-ranges and simple queries
@since 2.0.0
@jira_ticket PYTHON-668
@expected_result DateRanges will be inserted and retrieved successfully
@test_category data_types
"""
@classmethod
def setUpClass(cls):
super(TestDateRangeSimple, cls).setUpClass()
cls.session.set_keyspace(cls.ks_name)
if DSE_VERSION and DSE_VERSION >= Version('5.1'):
cls.session.execute("CREATE TABLE tab (dr 'DateRangeType' PRIMARY KEY)")
def _daterange_round_trip(self, to_insert, expected=None):
query = "INSERT INTO tab (dr) VALUES ('{0}');".format(to_insert)
self.session.execute("INSERT INTO tab (dr) VALUES ('{0}');".format(to_insert))
query = "SELECT * FROM tab WHERE dr = '{0}' ".format(to_insert)
results= self.session.execute("SELECT * FROM tab WHERE dr = '{0}' ".format(to_insert))
dr = results[0].dr
# sometimes this is truncated in the assertEqual output on failure;
if isinstance(expected, str):
self.assertEqual(str(dr), expected)
else:
self.assertEqual(dr, expected or to_insert)
@greaterthanorequaldse51
class TestDateRangeCollection(BasicSharedKeyspaceUnitTestCase):
@classmethod
def setUpClass(cls):
super(TestDateRangeCollection, cls).setUpClass()
cls.session.set_keyspace(cls.ks_name)
def test_date_range_collection(self):
"""
Tests DateRange type in collections
@since 2.0.0
@jira_ticket PYTHON-668
@expected_result DateRanges will be inserted and retrieved successfully when part of a list or map
@test_category data_types
"""
self.session.execute("CREATE TABLE dateRangeIntegrationTest5 (k int PRIMARY KEY, l list<'DateRangeType'>, s set<'DateRangeType'>, dr2i map<'DateRangeType', int>, i2dr map<int, 'DateRangeType'>)")
self.session.execute("INSERT INTO dateRangeIntegrationTest5 (k, l, s, i2dr, dr2i) VALUES (" +
"1, " +
"['[2000-01-01T10:15:30.001Z TO 2020]', '[2010-01-01T10:15:30.001Z TO 2020]', '2001-01-02'], " +
"{'[2000-01-01T10:15:30.001Z TO 2020]', '[2000-01-01T10:15:30.001Z TO 2020]', '[2010-01-01T10:15:30.001Z TO 2020]'}, " +
"{1: '[2000-01-01T10:15:30.001Z TO 2020]', 2: '[2010-01-01T10:15:30.001Z TO 2020]'}, " +
"{'[2000-01-01T10:15:30.001Z TO 2020]': 1, '[2010-01-01T10:15:30.001Z TO 2020]': 2})")
results = list(self.session.execute("SELECT * FROM dateRangeIntegrationTest5"))
self.assertEqual(len(results),1)
lower_bound_1 = util.DateRangeBound(datetime(2000, 1, 1, 10, 15, 30, 1000), 'MILLISECOND')
lower_bound_2 = util.DateRangeBound(datetime(2010, 1, 1, 10, 15, 30, 1000), 'MILLISECOND')
upper_bound_1 = util.DateRangeBound(datetime(2020, 1, 1), 'YEAR')
value_1 = util.DateRangeBound(datetime(2001, 1, 2), 'DAY')
dt = util.DateRange(lower_bound=lower_bound_1, upper_bound=upper_bound_1)
dt2 = util.DateRange(lower_bound=lower_bound_2, upper_bound=upper_bound_1)
dt3 = util.DateRange(value=value_1)
list_result = results[0].l
self.assertEqual(3, len(list_result))
self.assertEqual(list_result[0],dt)
self.assertEqual(list_result[1],dt2)
self.assertEqual(list_result[2],dt3)
set_result = results[0].s
self.assertEqual(len(set_result), 2)
self.assertIn(dt, set_result)
self.assertIn(dt2, set_result)
d2i = results[0].dr2i
self.assertEqual(len(d2i), 2)
self.assertEqual(d2i[dt],1)
self.assertEqual(d2i[dt2],2)
i2r = results[0].i2dr
self.assertEqual(len(i2r), 2)
self.assertEqual(i2r[1],dt)
self.assertEqual(i2r[2],dt2)
def test_allow_date_range_in_udt_tuple(self):
"""
Tests DateRanges in tuples and udts
@since 2.0.0
@jira_ticket PYTHON-668
@expected_result DateRanges will be inserted and retrieved successfully in udt's and tuples
@test_category data_types
"""
self.session.execute("CREATE TYPE IF NOT EXISTS test_udt (i int, range 'DateRangeType')")
self.session.execute("CREATE TABLE dateRangeIntegrationTest4 (k int PRIMARY KEY, u test_udt, uf frozen<test_udt>, t tuple<'DateRangeType', int>, tf frozen<tuple<'DateRangeType', int>>)")
self.session.execute("INSERT INTO dateRangeIntegrationTest4 (k, u, uf, t, tf) VALUES (" +
"1, " +
"{i: 10, range: '[2000-01-01T10:15:30.003Z TO 2020-01-01T10:15:30.001Z]'}, " +
"{i: 20, range: '[2000-01-01T10:15:30.003Z TO 2020-01-01T10:15:30.001Z]'}, " +
"('[2000-01-01T10:15:30.003Z TO 2020-01-01T10:15:30.001Z]', 30), " +
"('[2000-01-01T10:15:30.003Z TO 2020-01-01T10:15:30.001Z]', 40))")
lower_bound = util.DateRangeBound(
datetime(2000, 1, 1, 10, 15, 30, 3000),
'MILLISECOND')
upper_bound = util.DateRangeBound(
datetime(2020, 1, 1, 10, 15, 30, 1000),
'MILLISECOND')
expected_dt = util.DateRange(lower_bound=lower_bound ,upper_bound=upper_bound)
results_list = list(self.session.execute("SELECT * FROM dateRangeIntegrationTest4"))
self.assertEqual(len(results_list), 1)
udt = results_list[0].u
self.assertEqual(udt.range, expected_dt)
self.assertEqual(udt.i, 10)
uf = results_list[0].uf
self.assertEqual(uf.range, expected_dt)
self.assertEqual(uf.i, 20)
t = results_list[0].t
self.assertEqual(t[0], expected_dt)
self.assertEqual(t[1], 30)
tf = results_list[0].tf
self.assertEqual(tf[0], expected_dt)
self.assertEqual(tf[1], 40)
class TypeTestsProtocol(BasicSharedKeyspaceUnitTestCase):
@greaterthancass21
@lessthancass30
def test_nested_types_with_protocol_version(self):
"""
Test to validate that nested type serialization works on various protocol versions. Provided
the version of cassandra is greater the 2.1.3 we would expect to nested to types to work at all protocol versions.
@since 3.0.0
@jira_ticket PYTHON-215
@expected_result no exceptions are thrown
@test_category data_types serialization
"""
ddl = '''CREATE TABLE {0}.t (
k int PRIMARY KEY,
v list<frozen<set<int>>>)'''.format(self.keyspace_name)
self.session.execute(ddl)
ddl = '''CREATE TABLE {0}.u (
k int PRIMARY KEY,
v set<frozen<list<int>>>)'''.format(self.keyspace_name)
self.session.execute(ddl)
ddl = '''CREATE TABLE {0}.v (
k int PRIMARY KEY,
v map<frozen<set<int>>, frozen<list<int>>>,
v1 frozen<tuple<int, text>>)'''.format(self.keyspace_name)
self.session.execute(ddl)
self.session.execute("CREATE TYPE {0}.typ (v0 frozen<map<int, frozen<list<int>>>>, v1 frozen<list<int>>)".format(self.keyspace_name))
ddl = '''CREATE TABLE {0}.w (
k int PRIMARY KEY,
v frozen<typ>)'''.format(self.keyspace_name)
self.session.execute(ddl)
for pvi in range(3, 5):
self.run_inserts_at_version(pvi)
for pvr in range(3, 5):
self.read_inserts_at_level(pvr)
def read_inserts_at_level(self, proto_ver):
session = TestCluster(protocol_version=proto_ver).connect(self.keyspace_name)
try:
results = session.execute('select * from t')[0]
self.assertEqual("[SortedSet([1, 2]), SortedSet([3, 5])]", str(results.v))
results = session.execute('select * from u')[0]
self.assertEqual("SortedSet([[1, 2], [3, 5]])", str(results.v))
results = session.execute('select * from v')[0]
self.assertEqual("{SortedSet([1, 2]): [1, 2, 3], SortedSet([3, 5]): [4, 5, 6]}", str(results.v))
results = session.execute('select * from w')[0]
self.assertEqual("typ(v0=OrderedMapSerializedKey([(1, [1, 2, 3]), (2, [4, 5, 6])]), v1=[7, 8, 9])", str(results.v))
finally:
session.cluster.shutdown()
def run_inserts_at_version(self, proto_ver):
session = TestCluster(protocol_version=proto_ver).connect(self.keyspace_name)
try:
p = session.prepare('insert into t (k, v) values (?, ?)')
session.execute(p, (0, [{1, 2}, {3, 5}]))
p = session.prepare('insert into u (k, v) values (?, ?)')
session.execute(p, (0, {(1, 2), (3, 5)}))
p = session.prepare('insert into v (k, v, v1) values (?, ?, ?)')
session.execute(p, (0, {(1, 2): [1, 2, 3], (3, 5): [4, 5, 6]}, (123, 'four')))
p = session.prepare('insert into w (k, v) values (?, ?)')
session.execute(p, (0, ({1: [1, 2, 3], 2: [4, 5, 6]}, [7, 8, 9])))
finally:
session.cluster.shutdown()
@greaterthanorequalcass50
class TypeTestsVector(BasicSharedKeyspaceUnitTestCase):
def _get_first_j(self, rs):
rows = rs.all()
self.assertEqual(len(rows), 1)
return rows[0].j
def _get_row_simple(self, idx, table_name):
rs = self.session.execute("select j from {0}.{1} where i = {2}".format(self.keyspace_name, table_name, idx))
return self._get_first_j(rs)
def _get_row_prepared(self, idx, table_name):
cql = "select j from {0}.{1} where i = ?".format(self.keyspace_name, table_name)
ps = self.session.prepare(cql)
rs = self.session.execute(ps, [idx])
return self._get_first_j(rs)
def _round_trip_test(self, subtype, subtype_fn, test_fn, use_positional_parameters=True):
table_name = subtype.replace("<","A").replace(">", "B").replace(",", "C") + "isH"
def random_subtype_vector():
return [subtype_fn() for _ in range(3)]
ddl = """CREATE TABLE {0}.{1} (
i int PRIMARY KEY,
j vector<{2}, 3>)""".format(self.keyspace_name, table_name, subtype)
self.session.execute(ddl)
if use_positional_parameters:
cql = "insert into {0}.{1} (i,j) values (%s,%s)".format(self.keyspace_name, table_name)
expected1 = random_subtype_vector()
data1 = {1:random_subtype_vector(), 2:expected1, 3:random_subtype_vector()}
for k,v in data1.items():
# Attempt a set of inserts using the driver's support for positional params
self.session.execute(cql, (k,v))
cql = "insert into {0}.{1} (i,j) values (?,?)".format(self.keyspace_name, table_name)
expected2 = random_subtype_vector()
ps = self.session.prepare(cql)
data2 = {4:random_subtype_vector(), 5:expected2, 6:random_subtype_vector()}
for k,v in data2.items():
# Add some additional rows via prepared statements
self.session.execute(ps, [k,v])
# Use prepared queries to gather data from the rows we added via simple queries and vice versa
if use_positional_parameters:
observed1 = self._get_row_prepared(2, table_name)
for idx in range(0, 3):
test_fn(observed1[idx], expected1[idx])
observed2 = self._get_row_simple(5, table_name)
for idx in range(0, 3):
test_fn(observed2[idx], expected2[idx])
def test_round_trip_integers(self):
self._round_trip_test("int", partial(random.randint, 0, 2 ** 31), self.assertEqual)
self._round_trip_test("bigint", partial(random.randint, 0, 2 ** 63), self.assertEqual)
self._round_trip_test("smallint", partial(random.randint, 0, 2 ** 15), self.assertEqual)
self._round_trip_test("tinyint", partial(random.randint, 0, (2 ** 7) - 1), self.assertEqual)
self._round_trip_test("varint", partial(random.randint, 0, 2 ** 63), self.assertEqual)
def test_round_trip_floating_point(self):
_almost_equal_test_fn = partial(self.assertAlmostEqual, places=5)
def _random_decimal():
return Decimal(random.uniform(0.0, 100.0))
# Max value here isn't really connected to max value for floating point nums in IEEE 754... it's used here
# mainly as a convenient benchmark
self._round_trip_test("float", partial(random.uniform, 0.0, 100.0), _almost_equal_test_fn)
self._round_trip_test("double", partial(random.uniform, 0.0, 100.0), _almost_equal_test_fn)
self._round_trip_test("decimal", _random_decimal, _almost_equal_test_fn)
def test_round_trip_text(self):
def _random_string():
return ''.join(random.choice(string.ascii_uppercase + string.digits) for _ in range(24))
self._round_trip_test("ascii", _random_string, self.assertEqual)
self._round_trip_test("text", _random_string, self.assertEqual)
def test_round_trip_date_and_time(self):
_almost_equal_test_fn = partial(self.assertAlmostEqual, delta=timedelta(seconds=1))
def _random_datetime():
return datetime.today() - timedelta(hours=random.randint(0,18), days=random.randint(1,1000))
def _random_date():
return _random_datetime().date()
def _random_time():
return _random_datetime().time()
self._round_trip_test("date", _random_date, self.assertEqual)
self._round_trip_test("time", _random_time, self.assertEqual)
self._round_trip_test("timestamp", _random_datetime, _almost_equal_test_fn)
def test_round_trip_uuid(self):
self._round_trip_test("uuid", uuid.uuid1, self.assertEqual)
self._round_trip_test("timeuuid", uuid.uuid1, self.assertEqual)
def test_round_trip_miscellany(self):
def _random_bytes():
return random.getrandbits(32).to_bytes(4,'big')
def _random_boolean():
return random.choice([True, False])
def _random_duration():
return Duration(random.randint(0,11), random.randint(0,11), random.randint(0,10000))
def _random_inet():
return socket.inet_ntoa(_random_bytes())
self._round_trip_test("boolean", _random_boolean, self.assertEqual)
self._round_trip_test("duration", _random_duration, self.assertEqual)
self._round_trip_test("inet", _random_inet, self.assertEqual)
self._round_trip_test("blob", _random_bytes, self.assertEqual)
def test_round_trip_collections(self):
def _random_seq():
return [random.randint(0,100000) for _ in range(8)]
def _random_set():
return set(_random_seq())
def _random_map():
return {k:v for (k,v) in zip(_random_seq(), _random_seq())}
# Goal here is to test collections of both fixed and variable size subtypes
self._round_trip_test("list<int>", _random_seq, self.assertEqual)
self._round_trip_test("list<varint>", _random_seq, self.assertEqual)
self._round_trip_test("set<int>", _random_set, self.assertEqual)
self._round_trip_test("set<varint>", _random_set, self.assertEqual)
self._round_trip_test("map<int,int>", _random_map, self.assertEqual)
self._round_trip_test("map<int,varint>", _random_map, self.assertEqual)
self._round_trip_test("map<varint,int>", _random_map, self.assertEqual)
self._round_trip_test("map<varint,varint>", _random_map, self.assertEqual)
def test_round_trip_vector_of_vectors(self):
def _random_vector():
return [random.randint(0,100000) for _ in range(2)]
self._round_trip_test("vector<int,2>", _random_vector, self.assertEqual)
self._round_trip_test("vector<varint,2>", _random_vector, self.assertEqual)
def test_round_trip_tuples(self):
def _random_tuple():
return (random.randint(0,100000),random.randint(0,100000))
# Unfortunately we can't use positional parameters when inserting tuples because the driver will try to encode
# them as lists before sending them to the server... and that confuses the parsing logic.
self._round_trip_test("tuple<int,int>", _random_tuple, self.assertEqual, use_positional_parameters=False)
self._round_trip_test("tuple<int,varint>", _random_tuple, self.assertEqual, use_positional_parameters=False)
self._round_trip_test("tuple<varint,int>", _random_tuple, self.assertEqual, use_positional_parameters=False)
self._round_trip_test("tuple<varint,varint>", _random_tuple, self.assertEqual, use_positional_parameters=False)
def test_round_trip_udts(self):
def _udt_equal_test_fn(udt1, udt2):
self.assertEqual(udt1.a, udt2.a)
self.assertEqual(udt1.b, udt2.b)
self.session.execute("create type {}.fixed_type (a int, b int)".format(self.keyspace_name))
self.session.execute("create type {}.mixed_type_one (a int, b varint)".format(self.keyspace_name))
self.session.execute("create type {}.mixed_type_two (a varint, b int)".format(self.keyspace_name))
self.session.execute("create type {}.var_type (a varint, b varint)".format(self.keyspace_name))
class GeneralUDT:
def __init__(self, a, b):
self.a = a
self.b = b
self.cluster.register_user_type(self.keyspace_name,'fixed_type', GeneralUDT)
self.cluster.register_user_type(self.keyspace_name,'mixed_type_one', GeneralUDT)
self.cluster.register_user_type(self.keyspace_name,'mixed_type_two', GeneralUDT)
self.cluster.register_user_type(self.keyspace_name,'var_type', GeneralUDT)
def _random_udt():
return GeneralUDT(random.randint(0,100000),random.randint(0,100000))
self._round_trip_test("fixed_type", _random_udt, _udt_equal_test_fn)
self._round_trip_test("mixed_type_one", _random_udt, _udt_equal_test_fn)
self._round_trip_test("mixed_type_two", _random_udt, _udt_equal_test_fn)
self._round_trip_test("var_type", _random_udt, _udt_equal_test_fn)
|