File size: 2,309 Bytes
3f86ed0
6acd2be
3f86ed0
60a0b24
 
 
 
 
 
 
 
 
 
3f86ed0
3a3b216
 
e4316f1
 
 
 
d289bff
e4316f1
60a0b24
 
 
 
 
3a3b216
 
 
3f86ed0
 
 
 
 
 
 
6acd2be
 
 
 
 
 
3f86ed0
6acd2be
3f86ed0
6acd2be
 
 
 
 
 
3f86ed0
6acd2be
 
 
 
 
 
 
 
 
3f86ed0
 
 
6acd2be
3f86ed0
 
 
6acd2be
 
 
 
 
 
3f86ed0
 
 
 
6acd2be
3f86ed0
 
 
 
 
 
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
from pathlib import Path
from typing import Any, Dict, List, Optional

from graphgen.models import (
    CSVReader,
    JSONLReader,
    JSONReader,
    ParquetReader,
    PDFReader,
    PickleReader,
    RDFReader,
    TXTReader,
)
from graphgen.utils import logger

_MAPPING = {
    "jsonl": JSONLReader,
    "json": JSONReader,
    "txt": TXTReader,
    "csv": CSVReader,
    "md": TXTReader,
    "pdf": PDFReader,
    "parquet": ParquetReader,
    "pickle": PickleReader,
    "rdf": RDFReader,
    "owl": RDFReader,
    "ttl": RDFReader,
}


def _build_reader(suffix: str, cache_dir: str | None):
    suffix = suffix.lower()
    if suffix == "pdf" and cache_dir is not None:
        return _MAPPING[suffix](output_dir=cache_dir)
    return _MAPPING[suffix]()


def read_files(
    input_file: str,
    allowed_suffix: Optional[List[str]] = None,
    cache_dir: Optional[str] = None,
) -> list[dict]:
    path = Path(input_file).expanduser()
    if not path.exists():
        raise FileNotFoundError(f"input_path not found: {input_file}")

    if allowed_suffix is None:
        support_suffix = set(_MAPPING.keys())
    else:
        support_suffix = {s.lower().lstrip(".") for s in allowed_suffix}

    # single file
    if path.is_file():
        suffix = path.suffix.lstrip(".").lower()
        if suffix not in support_suffix:
            logger.warning(
                "Skip file %s (suffix '%s' not in allowed_suffix %s)",
                path,
                suffix,
                support_suffix,
            )
            return []
        reader = _build_reader(suffix, cache_dir)
        return reader.read(str(path))

    # folder
    files_to_read = [
        p for p in path.rglob("*") if p.suffix.lstrip(".").lower() in support_suffix
    ]
    logger.info(
        "Found %d eligible file(s) under folder %s (allowed_suffix=%s)",
        len(files_to_read),
        input_file,
        support_suffix,
    )

    all_docs: List[Dict[str, Any]] = []
    for p in files_to_read:
        try:
            suffix = p.suffix.lstrip(".").lower()
            reader = _build_reader(suffix, cache_dir)
            all_docs.extend(reader.read(str(p)))
        except Exception as e:  # pylint: disable=broad-except
            logger.exception("Error reading %s: %s", p, e)

    return all_docs