File: test_read.py

package info (click to toggle)
python-fastparquet 2024.2.0-2
  • links: PTS, VCS
  • area: main
  • in suites: sid
  • size: 120,180 kB
  • sloc: python: 8,181; makefile: 187
file content (588 lines) | stat: -rw-r--r-- 25,199 bytes parent folder | download
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
"""test_read.py - unit and integration tests for reading parquet data."""
from itertools import product
from pathlib import Path
import numpy as np
import os

import pandas as pd
import pytest

import fastparquet
from fastparquet import writer, core
from fastparquet.cencoding import NumpyIO
from fastparquet.util import PANDAS_VERSION

from .util import TEST_DATA, s3, tempdir


def test_header_magic_bytes(tempdir):
    """Test reading the header magic bytes."""
    fn = os.path.join(tempdir, 'temp.parq')
    with open(fn, 'wb') as f:
        f.write(b"PAR1_some_bogus_data")
    with pytest.raises(fastparquet.ParquetException):
        p = fastparquet.ParquetFile(fn, verify=True)


@pytest.mark.parametrize("size", [1, 4, 12, 20])
def test_read_footer_fail(tempdir, size):
    """Test reading the footer."""
    import struct
    fn = os.path.join(TEST_DATA, "nation.impala.parquet")
    fout = os.path.join(tempdir, "temp.parquet")
    with open(fn, 'rb') as f1:
        with open(fout, 'wb') as f2:
            f1.seek(-8, 2)
            head_size = struct.unpack('<i', f1.read(4))[0]
            f1.seek(-(head_size + 8), 2)
            block = f1.read(head_size)
            f2.write(b'0' * 25)  # padding
            f2.write(block[:-size])
            f2.write(f1.read())
    with pytest.raises(TypeError):
        p = fastparquet.ParquetFile(fout)


def test_read_footer():
    """Test reading the footer."""
    p = fastparquet.ParquetFile(os.path.join(TEST_DATA, "nation.impala.parquet"))
    snames = {"schema", "n_regionkey", "n_name", "n_nationkey", "n_comment"}
    assert {s.name for s in p._schema} == snames
    assert set(p.columns) == snames - {"schema"}


files = [os.path.join(TEST_DATA, p) for p in
         ["gzip-nation.impala.parquet",
          "nation.dict.parquet",
          "nation.impala.parquet", "nation.plain.parquet",
          "snappy-nation.impala.parquet"]]
csvfile = os.path.join(TEST_DATA, "nation.csv")
cols = ["n_nationkey", "n_name", "n_regionkey", "n_comment"]
expected = pd.read_csv(csvfile, delimiter="|", index_col=0, names=cols)
if tuple(pd.__version__.split(".")) > ("1", "4"):
    expected.index = expected.index.astype("Int32")


def test_read_s3(s3):
    myopen = s3.open
    pf = fastparquet.ParquetFile(TEST_DATA+'/split/_metadata', open_with=myopen)
    df = pf.to_pandas()
    assert df.shape == (2000, 3)
    assert (df.cat.value_counts() == [1000, 1000]).all()


@pytest.mark.parametrize("parquet_file", files)
def test_file_csv(parquet_file):
    """Test the various file times
    """
    p = fastparquet.ParquetFile(parquet_file)
    if "nation.dict.parquet" in parquet_file:
        # bug in file, chunk size does not include dict page
        # and gives data_page_offset where actually the dict page is
        p.row_groups[0].columns[1].meta_data.total_compressed_size = 337
        p.row_groups[0].columns[1].meta_data.total_uncompressed_size = 337
        p.row_groups[0].columns[3].meta_data.total_compressed_size += 1972
        p.row_groups[0].columns[3].meta_data.total_uncompressed_size += 1972
    data = p.to_pandas()
    if 'comment_col' in data.columns:
        mapping = {'comment_col': "n_comment", 'name': 'n_name',
                   'nation_key': 'n_nationkey', 'region_key': 'n_regionkey'}
        data.columns = [mapping[k] for k in data.columns]
    data.set_index('n_nationkey', inplace=True)

    for col in cols[1:]:
        if isinstance(data[col][0], bytes):
            data[col] = data[col].str.decode('utf8')
        assert (data[col] == expected[col]).all()


def test_read_pathlib_path():
    pf = fastparquet.ParquetFile(Path(TEST_DATA) / "test-null.parquet")
    df = pf.to_pandas()
    assert df.shape == (2, 2)


def test_null_int():
    """Test reading a file that contains null records."""
    p = fastparquet.ParquetFile(os.path.join(TEST_DATA, "test-null.parquet"))
    data = p.to_pandas()
    expected = pd.DataFrame([{"foo": 1, "bar": 2}, {"foo": 1, "bar": None}])
    for col in data:
        assert (data[col] == expected[col])[~expected[col].isnull()].all()
        assert sum(data[col].isnull()) == sum(expected[col].isnull())


def test_converted_type_null():
    """Test reading a file that contains null records for a plain column that
     is converted to utf-8."""
    p = fastparquet.ParquetFile(os.path.join(TEST_DATA,
                                         "test-converted-type-null.parquet"))
    data = p.to_pandas()
    expected = pd.DataFrame([{"foo": "bar"}, {"foo": None}])
    for col in data:
        if isinstance(data[col][0], bytes):
            # Remove when re-implemented converted types
            data[col] = data[col].str.decode('utf8')
        assert (data[col] == expected[col])[~expected[col].isnull()].all()
        assert sum(data[col].isnull()) == sum(expected[col].isnull())


def test_null_plain_dictionary():
    """Test reading a file that contains null records for a plain dictionary
     column."""
    p = fastparquet.ParquetFile(os.path.join(TEST_DATA,
                                         "test-null-dictionary.parquet"))
    data = p.to_pandas()
    expected = pd.DataFrame([{"foo": None}] + [{"foo": "bar"},
                             {"foo": "baz"}] * 3)
    for col in data:
        if isinstance(data[col][1], bytes):
            # Remove when re-implemented converted types
            data[col] = data[col].str.decode('utf8')
        assert (data[col] == expected[col])[~expected[col].isnull()].all()
        assert sum(data[col].isnull()) == sum(expected[col].isnull())


def test_dir_partition():
    """Test creation of categories from directory structure"""
    x = np.arange(2000)
    df = pd.DataFrame({
        'num': x,
        'cat': pd.Series(np.array(['fred', 'freda'])[x%2], dtype='category'),
        'catnum': pd.Series(np.array([1, 2, 3])[x%3], dtype='category')})
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, "split"))
    out = pf.to_pandas()
    for cat, catnum in product(['fred', 'freda'], [1, 2, 3]):
        assert (df.num[(df.cat == cat) & (df.catnum == catnum)].tolist()) ==\
                out.num[(out.cat == cat) & (out.catnum == catnum)].tolist()
    assert out.cat.dtype == 'category'
    assert out.catnum.dtype == 'category'
    assert out.catnum.cat.categories.dtype == 'int64'


def test_stat_filters():
    path = os.path.join(TEST_DATA, 'split')
    pf = fastparquet.ParquetFile(path)
    base_shape = len(pf.to_pandas())

    filters = [('num', '>', 0)]
    assert len(pf.to_pandas(filters=filters)) == base_shape

    filters = [('num', '<', 0)]
    assert len(pf.to_pandas(filters=filters)) == 0

    filters = [('num', '>', 500)]
    assert 0 < len(pf.to_pandas(filters=filters)) < base_shape

    filters = [('num', '>', 1500)]
    assert 0 < len(pf.to_pandas(filters=filters)) < base_shape

    filters = [('num', '>', 2000)]
    assert len(pf.to_pandas(filters=filters)) == 0

    filters = [('num', '>=', 1999)]
    assert 0 < len(pf.to_pandas(filters=filters)) < base_shape

    filters = [('num', '!=', 1000)]
    assert len(pf.to_pandas(filters=filters)) == base_shape

    filters = [('num', 'in', [-1, -2])]
    assert len(pf.to_pandas(filters=filters)) == 0

    filters = [('num', 'not in', [-1, -2])]
    assert len(pf.to_pandas(filters=filters)) == base_shape

    filters = [('num', 'in', [0])]
    l = len(pf.to_pandas(filters=filters))
    assert 0 < l < base_shape

    filters = [('num', 'in', [0, 1500])]
    assert l < len(pf.to_pandas(filters=filters)) < base_shape

    filters = [('num', 'in', [-1, 1999])]
    l = len(pf.to_pandas(filters=filters))
    assert 0 < l < base_shape


def test_cat_filters():
    path = os.path.join(TEST_DATA, 'split')
    pf = fastparquet.ParquetFile(path)
    base_shape = len(pf.to_pandas())

    filters = [('cat', '==', 'freda')]
    assert len(pf.to_pandas(filters=filters)) == 1000

    filters = [('cat', '!=', 'freda')]
    assert len(pf.to_pandas(filters=filters)) == 1000

    filters = [('cat', 'in', ['fred', 'freda'])]
    assert 0 < len(pf.to_pandas(filters=filters)) == 2000

    filters = [('cat', 'not in', ['fred', 'frederick'])]
    assert 0 < len(pf.to_pandas(filters=filters)) == 1000

    filters = [('catnum', '==', 2000)]
    assert len(pf.to_pandas(filters=filters)) == 0

    filters = [('catnum', '>=', 2)]
    assert 0 < len(pf.to_pandas(filters=filters)) == 1333

    filters = [('catnum', '>=', 1)]
    assert len(pf.to_pandas(filters=filters)) == base_shape

    filters = [('catnum', 'in', [0, 1])]
    assert len(pf.to_pandas(filters=filters)) == 667

    filters = [('catnum', 'not in', [1, 2, 3])]
    assert len(pf.to_pandas(filters=filters)) == 0

    # AND
    filters = [[('cat', '==', 'freda'), ('catnum', '>=', 2.5)]]
    assert len(pf.to_pandas(filters=filters)) == 333

    # implicit AND from one level
    filters = [('cat', '==', 'freda'), ('catnum', '>=', 2.5)]
    assert len(pf.to_pandas(filters=filters)) == 333

    # AND
    filters = [[('cat', '==', 'freda'), ('catnum', '!=', 2.5)]]
    assert len(pf.to_pandas(filters=filters)) == 1000


def test_statistics(tempdir):
    s = pd.Series([b'a', b'b', b'c']*20)
    df = pd.DataFrame({'a': s, 'b': s.astype('category'),
                       'c': s.astype('category').cat.as_ordered()})
    fastparquet.write(tempdir, df, file_scheme='hive', stats=True)
    pf = fastparquet.ParquetFile(tempdir)
    stat = pf.statistics
    assert stat['max']['a'] == [b'c']
    assert stat['min']['a'] == [b'a']
    assert stat['max']['b'] == [b'c']
    assert stat['min']['b'] == [b'a']
    assert stat['max']['c'] == [b'c']
    assert stat['min']['c'] == [b'a']


def test_index(tempdir):
    s = pd.Series(['a', 'c', 'b']*20)
    df = pd.DataFrame({'a': s, 'b': s.astype('category'),
                       'c': range(60, 0, -1)})

    for column in df:
        d2 = df.set_index(column)
        fastparquet.write(tempdir, d2, file_scheme='hive', write_index=True)
        pf = fastparquet.ParquetFile(tempdir)
        out = pf.to_pandas(index=column, categories=['b'])
        pd.testing.assert_frame_equal(out, d2, check_categorical=False,
                                      check_index_type=False, check_dtype=False)


def test_skip_length():
    data = NumpyIO(bytearray(2**21))
    for num in [1, 63, 64, 64*127, 64*128, 63*128**2, 64*128**2]:
        block, _ = writer.make_definitions(np.zeros(num), True)
        data.seek(0, 0)
        core.skip_definition_bytes(data, num)
        assert len(block) == data.tell()


def test_v2():
    # from https://github.com/apache/parquet-testing/tree/master/data
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, 'datapage_v2.snappy.parquet'))
    expected = {
        'a': {0: 'abc', 1: 'abc', 2: 'abc', 3: None, 4: 'abc'},
        'b': {0: 1, 1: 2, 2: 3, 3: 4, 4: 5},
        'c': {0: 2.0, 1: 3.0, 2: 4.0, 3: 5.0, 4: 2.0},
        'd': {0: True, 1: True, 2: True, 3: False, 4: True},
        'e': {0: [1, 2, 3], 1: None, 2: None, 3: [1, 2, 3], 4: [1, 2]}
    }
    out = pf.to_pandas()
    assert out.to_dict() == expected


def test_single_partition(tempdir):
    tmp = str(tempdir)
    df = pd.DataFrame({'a': [0]})
    os.mkdir(os.path.join(tmp, "col=val"))
    fn = os.path.join(tmp, "col=val", "data.parquet")
    df.to_parquet(fn, engine="fastparquet")

    out = fastparquet.ParquetFile(tmp).to_pandas()
    assert out["col"].tolist() == ["val"]


def test_timestamp96():
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, 'mr_times.parq'))
    out = pf.to_pandas()
    expected = pd.to_datetime(
            ["2016-08-01 23:08:01", "2016-08-02 23:08:02",
             "2016-08-03 23:08:03", "2016-08-04 23:08:04",
             "2016-08-05 23:08:04", "2016-08-06 23:08:05",
             "2016-08-07 23:08:06", "2016-08-08 23:08:07",
             "2016-08-09 23:08:08", "2016-08-10 23:08:09"])
    assert (out['date_added'] == expected).all()


def test_rle_dict():
    # standard dataset with RLE_DICT instead of PLAIN_DICT
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, 'repeated_no_annotation.parquet'))
    out = pf.to_pandas()
    assert out['id'].tolist() == [1.0, 2.0, 3.0, 4.0, 5.0, 6.0]


def test_bad_catsize(tempdir):
    df = pd.DataFrame({'a': pd.Categorical([str(i) for i in range(1024)])})
    fastparquet.write(tempdir, df, file_scheme='hive')
    pf = fastparquet.ParquetFile(tempdir)
    assert pf.categories == {'a': 1024}
    with pytest.raises(RuntimeError):
        pf.to_pandas(categories={'a': 2})


def test_null_sizes(tempdir):
    df = pd.DataFrame({'a': [True, None], 'b': [3000, np.nan]}, dtype="O")
    fastparquet.write(tempdir, df, has_nulls=True, file_scheme='hive')
    pf = fastparquet.ParquetFile(tempdir)
    assert pf.dtypes['a'] == 'boolean'
    assert pf.dtypes['b'] == 'Int64'


def test_multi_index(tempdir):
    r = pd.date_range('2000', '2000-01-03')
    df = pd.DataFrame({'a': r, 'b': [1, 3, 3], 'c': [1.0, np.nan, 3]})
    df = df.set_index(['a', 'b'])
    fastparquet.write(tempdir, df, has_nulls=True, file_scheme='hive')
    dg = fastparquet.ParquetFile(tempdir).to_pandas()
    assert dg.shape == (3, 1)
    assert len(dg.index.levels) == 2
    assert dg.index.levels[0].name == 'a'
    assert dg.index.levels[0].dtype == '<M8[ns]'
    assert dg.index.levels[1].name == 'b'
    assert dg.index.levels[1].dtype == np.int64


def test_multi_index_category(tempdir):
    r = pd.date_range('2000', '2000-01-03')
    df = pd.DataFrame({'a': r, 'b': ['X', 'X', 'L'], 'c': [1.0, np.nan, 3]})
    df['b'] = df['b'].astype('category')
    df = df.set_index(['a', 'b'])
    fastparquet.write(tempdir, df, has_nulls=True, file_scheme='hive')
    dg = fastparquet.ParquetFile(tempdir).to_pandas()
    assert dg.shape == (3, 1)
    assert len(dg.index.levels) == 2
    assert dg.index.levels[0].name == 'a'
    assert dg.index.levels[0].dtype == '<M8[ns]'
    assert dg.index.levels[1].name == 'b'
    assert str(dg.c.tolist()) == str(df.c.tolist())  # ignore nan and cats


@pytest.mark.parametrize("filename", ["no_columns.parquet", "no_columns_new.parquet"])
def test_no_columns(tempdir, filename):
    # https://github.com/dask/fastparquet/issues/361
    # Create a non-empty DataFrame, then select no columns. That way we get
    # _some_ rows, _no_ columns.
    #
    # df = pd.DataFrame({"A": [1, 2]})[[]]
    # fastparquet.write(f"test-data/{filename}", df)
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, filename))
    assert pf.count() == 2
    assert pf.columns == []
    result = pf.to_pandas()
    expected = pd.DataFrame({"A": [1, 2]})[[]]
    assert len(result) == 2
    if filename == "no_columns.parquet" and PANDAS_VERSION.release > (2, 0, 0):
        expected.columns = pd.RangeIndex(start=0, stop=0)
    pd.testing.assert_frame_equal(result, expected)


def test_map_multipage(tempdir):
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, "map-test.snappy.parquet"))
    assert pf.count() == 3551
    df = pf.to_pandas()
    first_row_keys = [u'FoxNews.com', u'News Network', u'mobile technology', u'broadcast', u'sustainability',
                      u'collective intelligence', u'radio', u'business law', u'LLC', u'telecommunications',
                      u'FOX News Network']
    last_row_keys = [u'protests', u'gas mask', u'Pot & Painting Party', u'Denver', u'New Year', u'Anderson Cooper',
                     u'gas mask bonk', u'digital media', u'marijuana leaf earrings', u'Screengrab', u'gas mask bongs',
                     u'Randi Kaye', u'Lee Rogers', u'Andy Cohen', u'CNN', u'Times Square', u'Colorado', u'opera',
                     u'slavery', u'Kathy Griffin', u'marijuana cigarette', u'executive producer']

    assert len(df) == 3551
    assert sorted(df["topics"].iloc[0].keys()) == sorted(first_row_keys)
    assert sorted(df["topics"].iloc[-1].keys()) == sorted(last_row_keys)
    assert df.isnull().sum().sum() == 0 # ensure every row got converted


def test_map_last_row_split(tempdir):
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, "test-map-last-row-split.parquet"))
    assert pf.count() == 2428
    df = pf.to_pandas()
    # file has 3 pages - rows at index 1210 and 2427 are split in-between neighboring pages
    first_split_row_keys = [u'White House', u'State Department', u'Tatverd\xe4chtige', u'financial economics',
                            u'Hezbollah', u'Bashar Assad', u'break-down', u'paper', u'radio', u'musicals',
                            u'Vladimir Putin', u'Hill two', u'The New York Times and Washington Post', u'tweet',
                            u'guest bedroom', u'Susie Tompkins Buell', u'private law', u'Tammy Bruce',
                            u'Obama Presidential Library', u'Fox News', u'President Trump', u'John Kerry',
                            u'Vanity Fair', u'government', u'Josh Meyer', u'The Hill', u'Esprit Clothing',
                            u'Rainer Wendt', u'Fitness', u'u.n.', u'David Brock', u'fleas', u'Trump', u'WORKOUT',
                            u'Washington', u'Brandenburg Gate', u'Lisa Bloom', u'festgenommen', u'journalist',
                            u'Kolleg', u'Middle East', u'financial markets', u'gym equipment', u'weight training',
                            u'reference', u'Solche Taten', u'digital radio', u'Stephen l. Miller', u'Belleon Body',
                            u'harassment', u'East', u'investment', u'creatures', u'Islamic Republic', u'New Year',
                            u'New York City', u'Media Research center', u'Neue Osnabruecker Zeitung daily newspaper',
                            u'Berlin', u'gegen diese Taten vorgehen', u'safety', u'Jarrett Blanc', u'Tehran',
                            u'America', u'Black Lives Matter', u'pussy hats',
                            u'wurden bislang leider vereinzelt sexuelle \xdcbergriffe gemeldet', u'Roger Cohen',
                            u'u.s.', u'Donald Trump', u'Emily Shire', u'hardline', u'common law', u'animal workouts',
                            u'Hamas', u'operas', u'New York Times', u'Amanda Hess', u'Adrian Carrasquillo',
                            u'Lukas Mikelionis', u'Koi', u'TOUGHEST MUDDER', u'Middle Eastern', u'Erik Wemple',
                            u'Associated Press', u'Iran', u'out-of-pocket expenses', u'Neue Osnabruecker Zeitung',
                            u'lizards', u'Carlos Leon', u'Polizei Berlin Einsatz', u'Russia', u'Russian',
                            u'Berlin Wall', u'Obama', u'The Times', u'The New York Post', u'Mark Halperin',
                            u'learning programs', u'NBC', u'American', u'Jeff Bell',
                            u'Heat Street and National Review Online', u'Dan Merica', u'Tel Aviv',
                            u'Wielding Money', u'anxiety', u'Bell', u'Twitter', u'Hillary Clinton',
                            u'physical exercise', u'Fellow Times', u'property', u'Paul Krugman', u'FoxNews.com',
                            u'Times Square New Year', u'Mika Brzezinksi', u'Ayatollah Ali Khamenei', u'Nikki Haley',
                            u'Obama Library', u'internet-based works', u'Quadriga', u'Washington Post',
                            u'Angela Merkel', u'Manhattan', u'United Nations', u'information', u'Israel',
                            u'Wir haben zivile', u'administration', u'United States', u'Maya Kosoff', u'Germany',
                            u'donor', u'television terminology', u'Bloom', u'The Washington Post', u'Jack Shafer',
                            u'Bei den Veranstaltungen', u'singles', u'uprising', u'reporting', u'AP',
                            u'Fox News Opinion', u'celebrity lawyer', u'Dan Gainor', u'CNN', u'Syria',
                            u'business law', u'inspiration', u'regime', u'Politico', u'Democratic Party',
                            u'The New York Times', u'websites', u'socio-economics', u'Jerusalem']
    second_split_row_keys = [u'Stockton University', u'Walter Montelione', u'law enforcement', u'shooting',
                             u'international incidents', u'NYE', u'Linda Kologi', u'criminal law',
                             u'Long Branch Police Department', u'Kaitlyn Schallhorn', u'Brittany Kologi', u'suspect',
                             u'teenager', u'Monmouth County', u'television terminology', u'Fox News', u'Long Branch',
                             u'Monmouth County prosecutor\u2019s Office', u'Galloway Township', u'Dave Farmer',
                             u'Steven Kologi jr.', u'u.s.', u'incident', u'WCBS-TV', u'Christopher j. Gramiccioni',
                             u"Diane D'Amico", u'New Jersey', u'shooter', u'maritime incidents',
                             u'Monmouth County Prosecutor', u'Steven Kologi', u'Bryan Llenas', u'Mary Schultz',
                             u'NJ.com', u'n.j.', u'Veronica Mass']
    assert len(df) == 2428
    assert sorted(df["topics"].iloc[1210].keys()) == sorted(first_split_row_keys)
    assert sorted(df["topics"].iloc[2427].keys()) == sorted(second_split_row_keys)
    assert df.isnull().sum().sum() == 0


def test_truncated_decimal():
    # protect against numpy truncation of fixed-length-bytes
    pf = fastparquet.ParquetFile(os.path.join(TEST_DATA, "decimals.parquet"))
    df = pf.to_pandas()
    expected = pd.Series(
        [93, 155, 102, 80, 85.5, 109, 105, 139, 91, 105],
        name='weight measure:WEIGHT(KG, 0)')
    out = df['weight measure:WEIGHT(KG, 0)']
    assert np.allclose(expected, out)


def test_or_filtering(tempdir):
    path = os.path.join(TEST_DATA, 'split')
    pf = fastparquet.ParquetFile(path)
    # Defining 2 filters resulting in 2 disjointed row groups.
    up_filter = [('num', '>=', 1925)]
    down_filter = [('num', '<=', 18)]
    # Check disjointed groups.
    empty_df = pf.to_pandas(filters=[up_filter + down_filter])
    assert empty_df.empty
    # Reading row groups separately for reference.
    up_df = pf.to_pandas(filters=up_filter)
    down_df = pf.to_pandas(filters=down_filter)    
    cols = list(up_df.columns)
    ref_df = pd.concat([up_df, down_df]).sort_values(cols)\
                                        .reset_index(drop=True)
    # Reading row groups using OR operation in `filters`.
    or_filter = [up_filter, down_filter]
    or_df = pf.to_pandas(filters=or_filter).sort_values(cols)\
                                            .reset_index(drop=True)
    assert(or_df.equals(ref_df))


def test_row_filter_nulls(tempdir):
    fn = os.path.join(tempdir, "test.parq")
    df = pd.DataFrame(
        {"col": [0, 1, np.nan, np.nan]},
        index=pd.Index(np.arange(4), name="index")
    )

    fastparquet.write(fn, df, has_nulls=True)

    filters = [("index", ">=", 1)]
    out = fastparquet.ParquetFile(fn).to_pandas(row_filter=True, filters=filters)
    assert len(out) == 3


def test_big_definitions(tempdir):
    # https://github.com/dask/fastparquet/issues/604
    values = [
        "nan",
        "Hello",
        "How is this",
        "Another String",
        "These arent categories",
        "Heres another",
        "This is fine",
    ]

    p = [0.52, 0.28, 0.08, 0.05, 0.04, 0.028, 0.002]

    test_df = pd.DataFrame({
        'test': [np.nan if v=='nan' else v
                 for v in np.random.choice(values, size=500_000, p=p)]
    })

    fn = os.path.join(tempdir, 'test_issue_604.parquet')
    test_df.to_parquet(fn, engine='fastparquet')
    out = pd.read_parquet(fn, engine='fastparquet')
    assert (out['test'].isna() == test_df['test'].isna()).all()


def test_column_multiindex_roundtrip(tempdir):
    fn = os.path.join(tempdir, "test.parq")
    data_arr = np.array([[1, 2, 3, 4], [10, 20, 30, 40], [100, 200, 300, 400]])
    tups = zip(*[['Estimates']*data_arr.shape[0]],['a', 'b', 'c'])
    df = pd.DataFrame(data_arr.T, index=['r1','r2','r3','r4'],
                      columns=pd.MultiIndex.from_tuples(tups, names=['l1', 'l2']))
    df.to_parquet(fn, engine='fastparquet')
    out = pd.read_parquet(fn, engine='fastparquet')
    assert df.equals(out)


def test_sparse_column_multiindex_no_row_index(tempdir):
    ts = [pd.Timestamp('2021/01/01 08:00:00'),
          pd.Timestamp('2021/01/05 10:00:00')]
    val = [10, 34]
    df = pd.DataFrame({'val': val, 'ts': ts})
    tuples = [(col, point) for col, point in zip(df.columns, ['0', ''])]
    cmidx = pd.MultiIndex.from_tuples(tuples, names=('component', 'point'))
    df.columns = cmidx
    writer.write(tempdir, df, file_scheme='hive')
    out = fastparquet.ParquetFile(tempdir).to_pandas()
    assert df.equals(out)


def test_single_delta_value():
    fn = os.path.join(TEST_DATA, "foo.parquet")
    pf = fastparquet.ParquetFile(fn)
    out = pf.to_pandas(columns=["kit_0", "kit_1"])
    assert out.iloc[0].values.tolist() == [17498368, 17105160]


def test_reading_non_std_kvm():
    fn = os.path.join(TEST_DATA, "non-std-kvm.fp-0.8.2.parquet")
    pf = fastparquet.ParquetFile(fn)
    kvm = pf.key_value_metadata.copy()
    kvm.pop("pandas")
    assert kvm == {
        "k_none": None,
        "k_int": 1,
        "k_bool": True,
    }

def test_reading_timezone():
    fn = os.path.join(TEST_DATA, "test-timezone.parquet")
    pf = fastparquet.ParquetFile(fn)
    assert pf.dtypes['date'] == 'datetime64[ns, UTC]'