Skip to content

Fix date range without times #161

New issue

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

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

Already on GitHub? Sign in to your account

Open
wants to merge 11 commits into
base: main
Choose a base branch
from
Open
5 changes: 3 additions & 2 deletions .github/workflows/check-pull-request.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,8 @@ jobs:
strategy:
fail-fast: false
matrix:
os: [ ubuntu-latest, windows-latest ]
# os: [ ubuntu-latest, windows-latest ] - Exclude windows for now
os: [ ubuntu-latest ]
python-version: [ "3.9", "3.10" ]
exclude:
- os: windows-latest
Expand Down Expand Up @@ -57,7 +58,7 @@ jobs:
#----------------------------------------------
- name: Load cached venv
id: cached-poetry-dependencies
uses: actions/cache@v2
uses: actions/cache@v3
with:
path: .venv
key: venv-${{ runner.os }}-${{ hashFiles('**/poetry.lock') }}
Expand Down
3 changes: 2 additions & 1 deletion .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -14,4 +14,5 @@ tests/outputs/*
venv/
.venv/
target/
local/
local/
.python-version
579 changes: 570 additions & 9 deletions poetry.lock

Large diffs are not rendered by default.

2 changes: 1 addition & 1 deletion pyproject.toml
Original file line number Diff line number Diff line change
Expand Up @@ -60,7 +60,7 @@ pydbml = "^1.1.2"
pyyaml = "^6.0.2"
llm = {version = "^0.21", optional = true}

[tool.poetry.dev-dependencies]
[tool.poetry.group.dev.dependencies]
pytest = ">=7.1.1"
Sphinx = ">=4.4.0"
sphinx-pdj-theme = ">=0.2.1"
Expand Down
6 changes: 6 additions & 0 deletions schema_automator/generalizers/csv_data_generalizer.py
Original file line number Diff line number Diff line change
Expand Up @@ -645,6 +645,12 @@ def infer_range(slot: dict, vals: set, types: dict, coerce=True) -> str:
if all(isfloat(v) for v in nn_vals):
return 'float'
if all(is_date(v) for v in nn_vals):
if all(
not hasattr(parse(str(v)), 'hour') or
(parse(str(v)).hour == 0 and parse(str(v)).minute == 0 and parse(str(v)).second == 0)
for v in nn_vals
): # Check if values are just dates without time
return 'date'
return 'datetime'
if is_all_measurement(nn_vals):
return 'measurement'
Expand Down
55 changes: 44 additions & 11 deletions schema_automator/importers/rdfs_import_engine.py
Original file line number Diff line number Diff line change
@@ -1,8 +1,9 @@
import logging
from pathlib import Path
from typing import Dict, Iterable, List, Any, Mapping, TextIO
from typing import Any, Dict, Iterable, List, Mapping, Optional, TextIO, Union
import typing
from collections import defaultdict, Counter
import warnings

from jsonasobj2 import JsonObj
from linkml.utils.schema_builder import SchemaBuilder
Expand Down Expand Up @@ -51,7 +52,7 @@ class RdfsImportEngine(ImportEngine):
#: Mapping from field names in this RDF schema (e.g. `price`) to IRIs (e.g. `http://schema.org/price`)
mappings: Dict[str, URIRef] = field(default_factory=dict)
#: User-defined mapping from LinkML metamodel slots (such as `domain_of`) to RDFS IRIs (such as http://schema.org/domainIncludes)
initial_metamodel_mappings: Dict[str, URIRef | List[URIRef]] = field(default_factory=dict)
initial_metamodel_mappings: Dict[str, Union[URIRef, List[URIRef]]] = field(default_factory=dict)
#: Combined mapping from LinkML metamodel slots to RDFS IRIs
metamodel_mappings: Dict[str, List[URIRef]] = field(default_factory=lambda: defaultdict(list))
#: Reverse of `metamodel_mappings`, but supports multiple terms mapping to the same IRI
Expand Down Expand Up @@ -97,12 +98,12 @@ def __post_init__(self):

def convert(
self,
file: str | Path | TextIO,
name: str | None = None,
format: str | None="turtle",
default_prefix: str | None = None,
model_uri: str | None = None,
identifier: str | None = None,
file: Union[str, Path, TextIO],
name: Optional[str] = None,
format: Optional[str] = "turtle",
default_prefix: Optional[str] = None,
model_uri: Optional[str] = None,
identifier: Optional[str] = None,
**kwargs: Any,
) -> SchemaDefinition:
"""
Expand Down Expand Up @@ -130,7 +131,10 @@ def convert(
cls_slots = defaultdict(list)

for slot in self.generate_rdfs_properties(g, cls_slots):
sb.add_slot(slot)
if slot.name in sb.schema.slots:
logging.warning(f"Slot '{slot.name}' already exists in schema; skipping duplicate.")
else:
sb.add_slot(slot)
for cls in self.process_rdfs_classes(g, cls_slots):
sb.add_class(cls)

Expand All @@ -151,9 +155,16 @@ def convert(
schema.prefixes = {key: value for key, value in schema.prefixes.items() if key in self.seen_prefixes}
self.infer_metadata(schema, name, default_prefix, model_uri)
self.fix_missing(schema)
self._normalize_slot_ranges(schema)
return schema

def infer_metadata(self, schema: SchemaDefinition, name: str | None, default_prefix: str | None = None, model_uri: str | None = None):
def infer_metadata(
self,
schema: SchemaDefinition,
name: Optional[str] = None,
default_prefix: Optional[str] = None,
model_uri: Optional[str] = None,
):
top_count = self.prefix_counts.most_common(1)
if len(top_count) == 0:
raise ValueError("No prefixes found in the graph")
Expand Down Expand Up @@ -313,7 +324,7 @@ def _dict_for_subject(self, g: Graph, s: URIRef, subject_type: typing.Literal["s
def _rdfs_metamodel_iri(self, name: str) -> List[URIRef]:
return self.metamodel_mappings.get(name, [])

def _element_from_iri(self, iri: URIRef) -> str | None:
def _element_from_iri(self, iri: URIRef) -> Optional[str]:
r = self.reverse_metamodel_mappings.get(iri, [])
if len(r) > 0:
if len(r) > 1:
Expand Down Expand Up @@ -341,3 +352,25 @@ def _as_name(self, v: URIRef) -> str:
if sep in v_str:
return v_str.split(sep)[-1]
return v_str

def _normalize_slot_ranges(self, schema: SchemaDefinition) -> None:
"""
Normalize slot ranges to valid LinkML scalars where needed.
Currently supports remapping RDF types like 'langString'.
"""
RDF_DATATYPE_MAP = {
"langString": "string",
"Text": "string",
"Thing": "string",
"landingPage": "string",
"Boolean": "boolean",
"Number": "integer",
"URL": "uri",
}

for slot in schema.slots.values():
if slot.range in RDF_DATATYPE_MAP:
warnings.warn(
f"Slot '{slot.name}' has unsupported range '{slot.range}'; mapping to '{RDF_DATATYPE_MAP[slot.range]}'."
)
slot.range = RDF_DATATYPE_MAP[slot.range]
4 changes: 4 additions & 0 deletions tests/test_generalizers/test_csv_data_generalizer.py
Original file line number Diff line number Diff line change
Expand Up @@ -68,6 +68,10 @@ def test_infer_range(self):
(['5.999', '7.955', '7.990', '6.990'], "float"),
(["2mm", "3m", "4 mm"], "measurement"),
(["true", "false"], "boolean"),
(["2024-01-01", "2023-12-31"], "date"),
(["2024-01-01T12:30:00", "2023-12-31T08:15:00"], "datetime"),
(["2024-01-01", "2023-12-31T08:15:00"], "datetime"),
(["2024-01-01", "not-a-date"], "string"),
]
for values, expected in cases:
self.assertEqual(infer_range({}, values, {}), expected, f"Failed on {values}")
Expand Down
7 changes: 4 additions & 3 deletions tests/test_importers/test_rdfs_importer.py
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@
from io import StringIO
import unittest
import os
import pytest
import yaml
from linkml_runtime import SchemaView

Expand Down Expand Up @@ -80,6 +81,6 @@ def test_from_rdfs():
assert activity.name == "Activity"
assert activity.is_a == "CreativeWork"
slots = sv.class_induced_slots(activity.name)
assert len(slots) == 1
slot = slots[0]
assert slot.name == "id"
assert len(slots) == 18
slot_names = [s.name for s in slots]
assert "messages" in slot_names