enrich AR en Czech files

This commit is contained in:
kempersc 2025-12-30 23:01:01 +01:00
parent f753d7277f
commit 90b402dba6
10000 changed files with 326285 additions and 180445 deletions

View file

@ -23,7 +23,7 @@ This is NOT a simple data extraction project. This is an **ontology engineering
## 🚨 CRITICAL RULES FOR ALL AGENTS
This section summarizes 35 critical rules. Each rule has complete documentation in `.opencode/` files.
This section summarizes 36 critical rules. Each rule has complete documentation in `.opencode/` files.
### Rule 0: LinkML Schemas Are the Single Source of Truth
@ -537,6 +537,56 @@ REST API → Frontend (both DERIVED)
---
### Rule 35: Provenance Statements MUST Have Dual Timestamps
🚨 **CRITICAL**: Every provenance statement MUST include at least TWO timestamps to distinguish when the claim was created from when the source was archived.
**MANDATORY Timestamps**:
| Timestamp | Purpose | Example |
|-----------|---------|---------|
| `statement_created_at` | When the claim/annotation was extracted/created | `2025-12-30T14:30:00Z` |
| `source_archived_at` | When the source material was archived/captured | `2025-12-29T10:15:00Z` |
**Optional (Encouraged)**:
- `source_created_at` - When the original source content was published
- `source_last_modified_at` - When the source content was last updated
- `last_verified_at` - When the claim was last re-verified
- `next_verification_due` - When the claim should be re-verified
**Example - CORRECT (Dual Timestamps)**:
```yaml
provenance:
statement_created_at: "2025-12-30T14:30:00Z" # When we extracted this claim
source_archived_at: "2025-12-29T10:15:00Z" # When we archived the webpage
source_created_at: "2022-07-15T00:00:00Z" # Optional: article publish date
```
**Example - WRONG (Single Timestamp)**:
```yaml
# INVALID - Only one timestamp, vague agent
extraction_provenance:
timestamp: '2025-11-06T08:02:44Z' # Which timestamp is this?!
agent: claude-conversation # Too vague - which model?
```
**Agent Identifier Standards**:
| ❌ Invalid | ✅ Valid |
|------------|----------|
| `claude-conversation` | `opencode-claude-sonnet-4` |
| `claude` | `opencode-claude-opus-4` |
| `ai` | `batch-script-python-3.11` |
| `opencode` | `manual-human-curator` |
**Validation Rule**: `source_archived_at` MUST be ≤ `statement_created_at` (source archived before/when statement created)
**Migration Note**: 24,328 files in `data/custodian/` with `agent: claude-conversation` require migration to dual timestamp format.
**See**: `.opencode/PROVENANCE_TIMESTAMP_RULES.md` for complete documentation
---
## Appendix: Full Rule Content (No .opencode Equivalent)
The following rules have no separate .opencode file and are preserved in full:

View file

@ -36,6 +36,7 @@ from pathlib import Path
from typing import Any, Literal, Optional
import dspy
import numpy as np
from dspy import History
from jinja2 import Environment, BaseLoader
from pydantic import BaseModel, Field
@ -47,6 +48,27 @@ logger = logging.getLogger(__name__)
# CONFIGURATION
# =============================================================================
# Lazy-loaded sentence transformer model
_embedding_model = None
_embedding_model_name = "paraphrase-multilingual-MiniLM-L12-v2" # Multilingual, 384-dim
def _get_embedding_model():
"""Lazy-load the sentence transformer model."""
global _embedding_model
if _embedding_model is None:
try:
from sentence_transformers import SentenceTransformer
logger.info(f"Loading embedding model: {_embedding_model_name}")
_embedding_model = SentenceTransformer(_embedding_model_name)
logger.info("Embedding model loaded successfully")
except ImportError:
logger.warning("sentence-transformers not installed, embedding matching disabled")
return None
except Exception as e:
logger.warning(f"Failed to load embedding model: {e}")
return None
return _embedding_model
def _find_data_path(filename: str) -> Path:
"""Find data file in multiple possible locations.
@ -94,8 +116,10 @@ class SlotType(str, Enum):
COUNTRY = "country"
CITY = "city"
INSTITUTION_NAME = "institution_name"
BUDGET_CATEGORY = "budget_category"
STRING = "string"
INTEGER = "integer"
DECIMAL = "decimal"
class SlotDefinition(BaseModel):
@ -226,6 +250,7 @@ class SynonymResolver:
self._subregions: dict[str, str] = {}
self._countries: dict[str, str] = {}
self._cities: set[str] = set()
self._budget_categories: dict[str, str] = {}
self._loaded = False
def load(self) -> None:
@ -280,6 +305,11 @@ class SynonymResolver:
country_synonyms = slot_types.get("country", {}).get("synonyms", {})
for k, v in country_synonyms.items():
self._countries[k.lower().replace("_", " ")] = v
# Budget category synonyms
budget_synonyms = slot_types.get("budget_category", {}).get("synonyms", {})
for k, v in budget_synonyms.items():
self._budget_categories[k.lower().replace("_", " ")] = v
except Exception as e:
logger.warning(f"Failed to load template synonyms: {e}")
@ -398,6 +428,45 @@ class SynonymResolver:
return "'" + term[1:2] + "-" + term[3:].title()
return term.title()
def resolve_budget_category(self, term: str) -> Optional[str]:
"""Resolve budget category term to canonical slot name.
Args:
term: Budget category term (e.g., "innovatie", "digitalisering", "innovation budget")
Returns:
Canonical budget category slot name (e.g., "innovation", "digitization") or None
"""
self.load()
# Normalize: lowercase and replace underscores with spaces (consistent with synonym loading)
term_normalized = term.lower().strip().replace("_", " ")
# Direct match from synonyms
if term_normalized in self._budget_categories:
return self._budget_categories[term_normalized]
# Already a valid category
valid_categories = [
"innovation", "digitization", "preservation", "personnel",
"acquisition", "operating", "capital", "external_funding",
"internal_funding", "endowment_draw"
]
if term_normalized in valid_categories:
return term_normalized
# Fuzzy match against loaded synonyms
if self._budget_categories:
match = process.extractOne(
term_normalized,
list(self._budget_categories.keys()),
scorer=fuzz.ratio,
score_cutoff=75
)
if match:
return self._budget_categories[match[0]]
return None
# Global synonym resolver instance
@ -529,6 +598,7 @@ class TemplateClassifierSignature(dspy.Signature):
- find_institutions_by_founding_date: Find oldest/newest institutions
- find_institution_by_identifier: Find by ISIL/GHCID
- compare_locations: Compare institutions between locations
- find_custodians_by_budget_threshold: Find custodians with budget category above/below threshold (e.g., "Which custodians spend more than 5000 euros on innovation?")
- none: No template matches (fall back to LLM generation)
CRITICAL DISAMBIGUATION - Province vs City:
@ -820,6 +890,154 @@ class FykeFilter(dspy.Module):
)
# =============================================================================
# EMBEDDING-BASED TEMPLATE MATCHING
# =============================================================================
class TemplateEmbeddingMatcher:
"""Matches questions to templates using semantic embeddings.
Uses sentence-transformers to compute embeddings for template patterns
and find the best match for incoming questions based on cosine similarity.
This provides semantic matching that can handle:
- Paraphrases ("Welke musea..." vs "Zijn er musea die...")
- Synonyms ("instellingen" vs "organisaties")
- Different word orders
- Multilingual queries (Dutch, English, German)
"""
_instance = None
_pattern_embeddings: Optional[np.ndarray] = None
_pattern_template_ids: Optional[list[str]] = None
_pattern_texts: Optional[list[str]] = None
def __new__(cls):
"""Singleton pattern - embeddings are expensive to compute."""
if cls._instance is None:
cls._instance = super().__new__(cls)
return cls._instance
def _ensure_embeddings_computed(self, templates: dict[str, "TemplateDefinition"]) -> bool:
"""Compute and cache embeddings for all template patterns.
Returns:
True if embeddings are available, False otherwise
"""
if self._pattern_embeddings is not None:
return True
model = _get_embedding_model()
if model is None:
return False
# Collect all patterns with their template IDs
pattern_texts = []
template_ids = []
for template_id, template_def in templates.items():
for pattern in template_def.question_patterns:
# Normalize pattern: replace {slot} with generic placeholder
normalized = re.sub(r'\{[^}]+\}', '[VALUE]', pattern)
pattern_texts.append(normalized)
template_ids.append(template_id)
if not pattern_texts:
logger.warning("No patterns found for embedding computation")
return False
# Compute embeddings for all patterns
logger.info(f"Computing embeddings for {len(pattern_texts)} template patterns...")
try:
embeddings = model.encode(pattern_texts, convert_to_numpy=True, show_progress_bar=False)
self._pattern_embeddings = embeddings
self._pattern_template_ids = template_ids
self._pattern_texts = pattern_texts
logger.info(f"Computed {len(embeddings)} pattern embeddings (dim={embeddings.shape[1]})")
return True
except Exception as e:
logger.warning(f"Failed to compute pattern embeddings: {e}")
return False
def match(
self,
question: str,
templates: dict[str, "TemplateDefinition"],
min_similarity: float = 0.70
) -> Optional["TemplateMatchResult"]:
"""Find best matching template using embedding similarity.
Args:
question: Natural language question
templates: Dictionary of template definitions
min_similarity: Minimum cosine similarity threshold (0-1)
Returns:
TemplateMatchResult if similarity >= threshold, None otherwise
"""
if not self._ensure_embeddings_computed(templates):
return None
model = _get_embedding_model()
if model is None:
return None
# Normalize question: replace numbers with placeholder
normalized_question = re.sub(r'\d+(?:[.,]\d+)?', '[VALUE]', question)
# Compute question embedding
try:
question_embedding = model.encode([normalized_question], convert_to_numpy=True)[0]
except Exception as e:
logger.warning(f"Failed to compute question embedding: {e}")
return None
# Guard against None embeddings (should not happen after _ensure_embeddings_computed)
if self._pattern_embeddings is None or self._pattern_template_ids is None or self._pattern_texts is None:
return None
# Compute cosine similarities
# Normalize vectors for cosine similarity
question_norm = question_embedding / np.linalg.norm(question_embedding)
pattern_norms = self._pattern_embeddings / np.linalg.norm(self._pattern_embeddings, axis=1, keepdims=True)
similarities = np.dot(pattern_norms, question_norm)
# Find best match
best_idx = int(np.argmax(similarities))
best_similarity = float(similarities[best_idx])
if best_similarity < min_similarity:
logger.debug(f"Best embedding similarity {best_similarity:.3f} below threshold {min_similarity}")
return None
best_template_id = self._pattern_template_ids[best_idx]
best_pattern = self._pattern_texts[best_idx]
# Scale similarity to confidence (0.70 → 0.70, 0.85 → 0.85, etc.)
confidence = best_similarity
logger.info(f"Embedding match found: template='{best_template_id}', similarity={best_similarity:.3f}, pattern='{best_pattern}'")
return TemplateMatchResult(
matched=True,
template_id=best_template_id,
confidence=confidence,
reasoning=f"Embedding similarity: {best_similarity:.3f} with pattern '{best_pattern}'"
)
# Singleton instance
_template_embedding_matcher: Optional[TemplateEmbeddingMatcher] = None
def get_template_embedding_matcher() -> TemplateEmbeddingMatcher:
"""Get or create the singleton embedding matcher."""
global _template_embedding_matcher
if _template_embedding_matcher is None:
_template_embedding_matcher = TemplateEmbeddingMatcher()
return _template_embedding_matcher
class TemplateClassifier(dspy.Module):
"""Classifies questions to match SPARQL templates."""
@ -879,6 +1097,106 @@ class TemplateClassifier(dspy.Module):
logger.error(f"Failed to load templates: {e}")
return self._templates
def _pattern_to_regex(self, pattern: str) -> re.Pattern:
"""Convert a template pattern to a regex for matching.
Converts patterns like:
"Welke instellingen geven meer dan {amount} uit aan {budget_category}?"
To regex like:
"Welke instellingen geven meer dan (.+?) uit aan (.+?)\\?"
Args:
pattern: Template pattern with {slot_name} placeholders
Returns:
Compiled regex pattern
"""
# Escape regex special characters (except { and })
escaped = re.escape(pattern)
# Replace escaped braces with capture groups
# \{...\} becomes (.+?) for non-greedy capture
regex_str = re.sub(r'\\{[^}]+\\}', r'(.+?)', escaped)
# Compile with case-insensitive matching
return re.compile(regex_str, re.IGNORECASE)
def _match_by_patterns(
self,
question: str,
templates: dict[str, TemplateDefinition]
) -> Optional[TemplateMatchResult]:
"""Try to match question against template patterns using regex.
This provides a fast, deterministic fallback before using LLM classification.
Patterns are defined in the YAML template's `question_patterns` field.
Args:
question: The natural language question
templates: Dictionary of template definitions
Returns:
TemplateMatchResult if high-confidence match found, None otherwise
"""
best_match: Optional[tuple[str, float, str]] = None # (template_id, confidence, pattern)
# Normalize question for matching
question_normalized = question.strip()
for template_id, template_def in templates.items():
patterns = template_def.question_patterns
if not patterns:
continue
for pattern in patterns:
try:
regex = self._pattern_to_regex(pattern)
match = regex.fullmatch(question_normalized)
if match:
# Full match = very high confidence
confidence = 0.95
logger.debug(f"Pattern exact match: '{pattern}' -> {template_id}")
if best_match is None or confidence > best_match[1]:
best_match = (template_id, confidence, pattern)
continue
# Try partial/fuzzy matching with lower confidence
# Use rapidfuzz to compare pattern structure (with slots replaced)
pattern_normalized = re.sub(r'\{[^}]+\}', '___', pattern.lower())
question_lower = question_normalized.lower()
# Replace common numeric patterns with placeholder
question_for_compare = re.sub(r'\d+(?:[.,]\d+)?', '___', question_lower)
# Calculate similarity
similarity = fuzz.ratio(pattern_normalized, question_for_compare) / 100.0
if similarity >= 0.75:
# Good fuzzy match
confidence = 0.70 + (similarity - 0.75) * 0.8 # Scale 0.75-1.0 to 0.70-0.90
logger.debug(f"Pattern fuzzy match: '{pattern}' -> {template_id} (sim={similarity:.2f}, conf={confidence:.2f})")
if best_match is None or confidence > best_match[1]:
best_match = (template_id, confidence, pattern)
except Exception as e:
logger.warning(f"Pattern matching error for '{pattern}': {e}")
continue
if best_match and best_match[1] >= 0.75:
template_id, confidence, matched_pattern = best_match
logger.info(f"Pattern-based match found: template='{template_id}', confidence={confidence:.2f}, pattern='{matched_pattern}'")
return TemplateMatchResult(
matched=True,
template_id=template_id,
confidence=confidence,
reasoning=f"Pattern match: '{matched_pattern}'"
)
return None
def forward(self, question: str, language: str = "nl") -> TemplateMatchResult:
"""Classify question to find matching template.
@ -898,6 +1216,20 @@ class TemplateClassifier(dspy.Module):
reasoning="No templates loaded"
)
# TIER 1: Pattern-based matching (fast, deterministic, exact regex)
pattern_match = self._match_by_patterns(question, templates)
if pattern_match and pattern_match.confidence >= 0.75:
logger.info(f"Using pattern-based match: {pattern_match.template_id} (confidence={pattern_match.confidence:.2f})")
return pattern_match
# TIER 2: Embedding-based matching (semantic similarity, handles paraphrases)
embedding_matcher = get_template_embedding_matcher()
embedding_match = embedding_matcher.match(question, templates, min_similarity=0.70)
if embedding_match and embedding_match.confidence >= 0.70:
logger.info(f"Using embedding-based match: {embedding_match.template_id} (confidence={embedding_match.confidence:.2f})")
return embedding_match
# TIER 3: LLM classification (fallback for complex/novel queries)
try:
result = self.classify(
question=question,
@ -923,6 +1255,7 @@ class TemplateClassifier(dspy.Module):
"8": "find_institutions_by_founding_date",
"9": "find_institution_by_identifier",
"10": "compare_locations",
"11": "find_custodians_by_budget_threshold",
}
if template_id in numeric_to_template:
logger.info(f"Converting numeric template_id '{template_id}' to '{numeric_to_template[template_id]}'")
@ -1048,6 +1381,9 @@ class SlotExtractor(dspy.Module):
resolved_slots[name] = resolved or value
elif slot_def.type == SlotType.CITY:
resolved_slots[name] = self.resolver.resolve_city(value)
elif slot_def.type == SlotType.BUDGET_CATEGORY:
resolved = self.resolver.resolve_budget_category(value)
resolved_slots[name] = resolved or value
else:
resolved_slots[name] = value
@ -1175,7 +1511,7 @@ class TemplateSPARQLPipeline(dspy.Module):
TemplateMatchResult with SPARQL query if successful
"""
# Step 1: Resolve conversation context FIRST
resolved = self.context_resolver(
resolved = self.context_resolver.forward(
question=question,
conversation_state=conversation_state
)
@ -1183,7 +1519,7 @@ class TemplateSPARQLPipeline(dspy.Module):
logger.info(f"Resolved question: '{question}''{resolved.resolved}'")
# Step 2: Fyke filter on RESOLVED question
fyke_result = self.fyke_filter(
fyke_result = self.fyke_filter.forward(
resolved_question=resolved.resolved,
conversation_topic="heritage institutions",
language=language
@ -1198,7 +1534,7 @@ class TemplateSPARQLPipeline(dspy.Module):
)
# Step 3: Classify to template
match_result = self.template_classifier(
match_result = self.template_classifier.forward(
question=resolved.resolved,
language=language
)
@ -1215,7 +1551,7 @@ class TemplateSPARQLPipeline(dspy.Module):
reasoning="No template ID from classifier"
)
slots = self.slot_extractor(
slots = self.slot_extractor.forward(
question=resolved.resolved,
template_id=template_id,
inherited_slots=resolved.inherited_slots

View file

@ -90,9 +90,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -101,8 +104,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Añatuya
@ -110,9 +113,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -120,9 +126,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Añatuya
@ -130,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -141,7 +153,9 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Biblioteca Sarmiento
rejection_reason: The candidate's name (Biblioteca Sarmiento) is a mismatch with the source institution's name (Biblioteca Popular Añatuya). While the Google Place type 'library' and the location in Añatuya are consistent with the expected type and location, the distinct names indicate they are different institutions.
rejection_reason: The candidate's name (Biblioteca Sarmiento) is a mismatch with the source institution's name (Biblioteca
Popular Añatuya). While the Google Place type 'library' and the location in Añatuya are consistent with the expected type
and location, the distinct names indicate they are different institutions.
timestamp: '2025-12-08T18:40:00.869187+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Añatuya official

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '906'
identifier_url: https://www.conabip.gob.ar/biblioteca/906
- &id001
identifier_scheme: CONABIP
identifier_value: '906'
identifier_url: https://www.conabip.gob.ar/biblioteca/906
locations:
- city: Barrancas
region: SANTA FE
country: AR
latitude: -32.233583
longitude: -60.983033
- city: Barrancas
region: SANTA FE
country: AR
latitude: -32.233583
longitude: -60.983033
processing_timestamp: '2025-12-06T23:36:13.425510+00:00'
ghcid:
ghcid_current: AR-A-BAR-L-BPBDFR
@ -28,29 +28,29 @@ ghcid:
city_code: BAR
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-BAR-L-BPBDFR
valid_from: '2025-12-10T10:00:45.524361+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-BAR-L-BPBDFR
ghcid_numeric: 1141822350500873633
valid_from: '2025-12-06T23:36:13.425510+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-BAR-L-BPBDFR
valid_from: '2025-12-10T10:00:45.524361+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-BAR-L-BPBDFR
ghcid_numeric: 1141822350500873633
valid_from: '2025-12-06T23:36:13.425510+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular de Barrancas Dr. Fernando Ramirez
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-BAR-L-BPBDFR
- identifier_scheme: GHCID_UUID
identifier_value: c13c8ae6-27c8-543b-8385-cc2f80a1acba
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 0fd89160-ce34-85a1-8a43-73bd9d5c1c0d
- identifier_scheme: GHCID_NUMERIC
identifier_value: '1141822350500873633'
- identifier_scheme: RECORD_ID
identifier_value: 9ba9f762-a3bf-4597-88c2-26cc3e358abc
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-BAR-L-BPBDFR
- identifier_scheme: GHCID_UUID
identifier_value: c13c8ae6-27c8-543b-8385-cc2f80a1acba
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 0fd89160-ce34-85a1-8a43-73bd9d5c1c0d
- identifier_scheme: GHCID_NUMERIC
identifier_value: '1141822350500873633'
- identifier_scheme: RECORD_ID
identifier_value: 9ba9f762-a3bf-4597-88c2-26cc3e358abc
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:36Z: Maps: Biblioteca Popular de Barrancas "Dr. Fernando Ramírez" (conf:
1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:01Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:28Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:52Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:36Z: Maps: Biblioteca Popular de Barrancas "Dr. Fernando Ramírez" (conf:
1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:01Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:28Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:52Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:03.478791+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:03.478804+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838047+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838047+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular de Barrancas Dr. Fernando Ramirez
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838047+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838047+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Barrancas
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838047+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular de Barrancas Dr. Fernando Ramirez
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838047+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838047+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Barrancas
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838047+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.425510+00:00'
@ -152,47 +164,47 @@ google_maps_enrichment:
formatted_address: S2246 Barrancas, Santa Fe, Argentina
short_address: Barrancas
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4
total_ratings: 1
reviews:
- author_name: Flavia Salinas
author_uri: https://www.google.com/maps/contrib/117560535424512421132/reviews
rating: 4
relative_time_description: a year ago
text:
publish_time: '2024-01-20T23:58:44.676985Z'
- author_name: Flavia Salinas
author_uri: https://www.google.com/maps/contrib/117560535424512421132/reviews
rating: 4
relative_time_description: a year ago
text: null
publish_time: '2024-01-20T23:58:44.676985Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: 4:306:30PM'
- 'Tuesday: 4:306:30PM'
- 'Wednesday: 4:306:30PM'
- 'Thursday: 4:306:30PM'
- 'Friday: 4:306:30PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 4:306:30PM'
- 'Tuesday: 4:306:30PM'
- 'Wednesday: 4:306:30PM'
- 'Thursday: 4:306:30PM'
- 'Friday: 4:306:30PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 5
photos_metadata:
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHoWMNzyEYseSTp8HHPCVLl45BDHDP8uT2IgS0HJBu5LHgllL_SUgllKjOE8oyDKRRDc2yq4TEMRubOCTeuLEjLR_-IVkSm9npsz4WIgECEmjxgpqVH4viyzEdCPBPvpAxIx9P4EAo3S1KtcbZQFCLyB6-A24VJRNVGuq0QZCy7HLOoMV7t3QjWrrrKdntAPBwRAZltIz9EoUwwbxgHPmwO7AY-gsEHRcW6ZcIBwnl8z9KGFRkWajI_fJ5WGWGZer2bAiXPsPXTdo8SoMM1nrYWIRO_6cuxEXs43evpF6KKxRJA3nTVvACaTWq0kfwtTVhJoD59thIBO4-LfkRJbBaK7k2mo9lIeIkeli9TchsFMpb7QTGRIdD-PnoRi8R4JvFOSvONsZbYaR-zAiTeFXFkflmZ8svz5tk_4gERc1ZxZLA
height: 567
width: 906
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHrAfSQK9b2xiNAS5DFPxnI5TuyoNRoUWeLm_xuZOVVTM5IQRQf-R8aexCRJfP9CUFydDG9dOIqCBnXIA-h6jgmjUsu4sis2Xjm9hGT72Eru9VDGTJrmw3y1yfge0VlfEMDWaw5O232rVFdrUo0wEZnsbb6AvoStp2jt58-ZdIVFc83j3f-sOjvKtunzl2t8_TX7lAvzNkFK_5SJGZ8jU5HWQNbHwtJFT7wDmWVjpf77LZGF4jSt9kDK0vabU0e2iscaAGVPDXoScCc8bzBc8DcYfh168HdOXpqgRx__3ulk57GhO0WqRMswjowZCjgUqIWD7l-G4VZa776HWjRLtmYoo4i509eWzy4pD2mivi2SJ0ZJwb3pZIYnMK6f7Y0RwV0MnC04WJftK4VrTL6h79laxsDIHxv9y3OZhGL39DrctWHtxWsxzVBaev6DbGEV
height: 3941
width: 2967
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHrUbdnReXZ7SKIwpKnSQtE3Nv0U_kjHZPnxuTLSI6ROj3IUg-FgbS9u3OuFvyAKZt6ZZ1Xaw-mT4XMgNKL35cscmO0bVwOYuM8IIcl5hLsYxW0FWQJWmPxwBvBVBwoOqih-FETF0ECuLpwMRWB3LC2A7Olz-aFai0DFZaPr-IcUoX3_FUmw_ofL_Ih1RhgD9nDPB2CtnOb7IvsFdIF9LQhPISxna7-Ythi9vQyegw5tFKfYFphugNGv533IPHIC7yT87BqjGxvAAPdzaWuZqc7BUSMBRlu4PC1h8W46abtKV_6j-rWFzIkZyPBB-P65yrLtXAhvKhXp0YIvOnWgkiS_V4Fn1FMxOCPel6zWun5eyEsVkSOlE0dKFo1n31vQj9KIK9Ggp3Ub260zPr4bYSn1aTRGdybnmf6oyermMiHhCsA
height: 3968
width: 2976
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHpuMYqU27_Z9ikFR5hGMwkIJOXFELMMKdmK85tRGA2Em_djBo9fg26XLkuM9qFHBaY1YKOqi9WjYsXe9kbLSh01sTTO4tZaBCj1Mvx9IwdG16ZBTvyc_ADsLCJk4w95YCE9qlFfeEksLTUSMHzl3VepIVYXA-4Txm2lkbBtEh6SQ1ynnTdElM9bAumvx1EnjFw_rQv_4EPhrAdcE7Na7jJvCtUd53iNbFgg90nXJr8kExySsS1wuSjTlAU86EXc7cFKiAit4zHJjyutpupVXQAuHICnFGMHoXN6PNMRZnqaPbe_PeI6lwxGhh7gL5xXlFM_6iHzoIp3D63HAKqX1p-FcqsBktveSpB4HWmz_xjm4gVopHEuLSHCFP7J5tW5mGA9hyXpKXFQIEK7OQgxCfTA1wxE8MszpIre_8boYzNfApm06RTIopbTvdVakQ
height: 3051
width: 2288
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHq0gdYsmO3l7vmapUigCJHyIDkoZLmkR54GX1fMpUZnztW4iwAasP98CzjR-GP3iMo8JAk5hfKOOcV2uefTpaH0DahRLBwMGoGlsbBFHgvCZtu1MvPihIuJyZmKQODnXi4XxFcfUbVKubmgm80o7tknlSy8pCd9WxI9HhyotGTjjd8gi5-_PxA4oj7Dn6YY0F1YmfdLLUWyw3KpklvbPPI-PbqT0zeF40C4h8rA8IyzU2wd9tgdnbp_h_Pi77rTfTFKftn48tkBkdrGRtdug7iqDSs_9aOKUd_b0d3gWSANh5L9kp-dF21xLkzXNEvZqGTo3_IshUUx1y29KgZbFBc_eQ0thuQPCc4FSRfufHodzuQ13g-4Dax3lb0rdgOgP_YCME_TusozjeIt7I9CLGkzoOrF4cEO4GFgJ0YbBliYcBzWwRPolFSiTCjfo5O7
height: 3264
width: 2448
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHoWMNzyEYseSTp8HHPCVLl45BDHDP8uT2IgS0HJBu5LHgllL_SUgllKjOE8oyDKRRDc2yq4TEMRubOCTeuLEjLR_-IVkSm9npsz4WIgECEmjxgpqVH4viyzEdCPBPvpAxIx9P4EAo3S1KtcbZQFCLyB6-A24VJRNVGuq0QZCy7HLOoMV7t3QjWrrrKdntAPBwRAZltIz9EoUwwbxgHPmwO7AY-gsEHRcW6ZcIBwnl8z9KGFRkWajI_fJ5WGWGZer2bAiXPsPXTdo8SoMM1nrYWIRO_6cuxEXs43evpF6KKxRJA3nTVvACaTWq0kfwtTVhJoD59thIBO4-LfkRJbBaK7k2mo9lIeIkeli9TchsFMpb7QTGRIdD-PnoRi8R4JvFOSvONsZbYaR-zAiTeFXFkflmZ8svz5tk_4gERc1ZxZLA
height: 567
width: 906
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHrAfSQK9b2xiNAS5DFPxnI5TuyoNRoUWeLm_xuZOVVTM5IQRQf-R8aexCRJfP9CUFydDG9dOIqCBnXIA-h6jgmjUsu4sis2Xjm9hGT72Eru9VDGTJrmw3y1yfge0VlfEMDWaw5O232rVFdrUo0wEZnsbb6AvoStp2jt58-ZdIVFc83j3f-sOjvKtunzl2t8_TX7lAvzNkFK_5SJGZ8jU5HWQNbHwtJFT7wDmWVjpf77LZGF4jSt9kDK0vabU0e2iscaAGVPDXoScCc8bzBc8DcYfh168HdOXpqgRx__3ulk57GhO0WqRMswjowZCjgUqIWD7l-G4VZa776HWjRLtmYoo4i509eWzy4pD2mivi2SJ0ZJwb3pZIYnMK6f7Y0RwV0MnC04WJftK4VrTL6h79laxsDIHxv9y3OZhGL39DrctWHtxWsxzVBaev6DbGEV
height: 3941
width: 2967
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHrUbdnReXZ7SKIwpKnSQtE3Nv0U_kjHZPnxuTLSI6ROj3IUg-FgbS9u3OuFvyAKZt6ZZ1Xaw-mT4XMgNKL35cscmO0bVwOYuM8IIcl5hLsYxW0FWQJWmPxwBvBVBwoOqih-FETF0ECuLpwMRWB3LC2A7Olz-aFai0DFZaPr-IcUoX3_FUmw_ofL_Ih1RhgD9nDPB2CtnOb7IvsFdIF9LQhPISxna7-Ythi9vQyegw5tFKfYFphugNGv533IPHIC7yT87BqjGxvAAPdzaWuZqc7BUSMBRlu4PC1h8W46abtKV_6j-rWFzIkZyPBB-P65yrLtXAhvKhXp0YIvOnWgkiS_V4Fn1FMxOCPel6zWun5eyEsVkSOlE0dKFo1n31vQj9KIK9Ggp3Ub260zPr4bYSn1aTRGdybnmf6oyermMiHhCsA
height: 3968
width: 2976
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHpuMYqU27_Z9ikFR5hGMwkIJOXFELMMKdmK85tRGA2Em_djBo9fg26XLkuM9qFHBaY1YKOqi9WjYsXe9kbLSh01sTTO4tZaBCj1Mvx9IwdG16ZBTvyc_ADsLCJk4w95YCE9qlFfeEksLTUSMHzl3VepIVYXA-4Txm2lkbBtEh6SQ1ynnTdElM9bAumvx1EnjFw_rQv_4EPhrAdcE7Na7jJvCtUd53iNbFgg90nXJr8kExySsS1wuSjTlAU86EXc7cFKiAit4zHJjyutpupVXQAuHICnFGMHoXN6PNMRZnqaPbe_PeI6lwxGhh7gL5xXlFM_6iHzoIp3D63HAKqX1p-FcqsBktveSpB4HWmz_xjm4gVopHEuLSHCFP7J5tW5mGA9hyXpKXFQIEK7OQgxCfTA1wxE8MszpIre_8boYzNfApm06RTIopbTvdVakQ
height: 3051
width: 2288
- name: places/ChIJpWt0ePHntZURXbBkDDFpWdI/photos/AZLasHq0gdYsmO3l7vmapUigCJHyIDkoZLmkR54GX1fMpUZnztW4iwAasP98CzjR-GP3iMo8JAk5hfKOOcV2uefTpaH0DahRLBwMGoGlsbBFHgvCZtu1MvPihIuJyZmKQODnXi4XxFcfUbVKubmgm80o7tknlSy8pCd9WxI9HhyotGTjjd8gi5-_PxA4oj7Dn6YY0F1YmfdLLUWyw3KpklvbPPI-PbqT0zeF40C4h8rA8IyzU2wd9tgdnbp_h_Pi77rTfTFKftn48tkBkdrGRtdug7iqDSs_9aOKUd_b0d3gWSANh5L9kp-dF21xLkzXNEvZqGTo3_IshUUx1y29KgZbFBc_eQ0thuQPCc4FSRfufHodzuQ13g-4Dax3lb0rdgOgP_YCME_TusozjeIt7I9CLGkzoOrF4cEO4GFgJ0YbBliYcBzWwRPolFSiTCjfo5O7
height: 3264
width: 2448
google_maps_url: https://maps.google.com/?cid=15157261680274354269&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -238,7 +250,7 @@ location:
formatted_address: S2246 Barrancas, Santa Fe, Argentina
normalization_timestamp: '2025-12-09T06:47:52.779880+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular de Barrancas Dr. Fernando Ramirez
description: biblioteca popular en Barrancas, Santa Fe, Argentina
enrichment_timestamp: '2025-01-13T00:00:00Z'

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:39Z: Maps: Biblioteca Popular Agustin Alvarez (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:39Z: Maps: Biblioteca Popular Agustin Alvarez (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:02Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:28Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952436+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952436+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Agustin Alvarez
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952436+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952436+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952436+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952436+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Capital
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952436+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952436+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -179,13 +192,15 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116538964966225420029/reviews
rating: 3
relative_time_description: 2 years ago
text: I was able to get some interesting novels, and I appreciate that you can get books for free without having to sign up.
text: I was able to get some interesting novels, and I appreciate that you can get books for free without having to sign
up.
publish_time: '2023-11-21T03:19:30.463380Z'
- author_name: Ruben Calfunao
author_uri: https://www.google.com/maps/contrib/117994197132961326397/reviews
rating: 5
relative_time_description: 3 years ago
text: '....one day, x being besides the beginning of a new season, a warm lunch meeting with endearing and unforgettable colleagues...👍👍👍THANK YOU'
text: '....one day, x being besides the beginning of a new season, a warm lunch meeting with endearing and unforgettable
colleagues...👍👍👍THANK YOU'
publish_time: '2022-09-21T17:33:43.848582Z'
- author_name: Javier García Díaz
author_uri: https://www.google.com/maps/contrib/103736943860582745037/reviews
@ -224,7 +239,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The match is highly likely. 1. The name of the institution, 'Biblioteca Popular Agustin Alvarez', is an exact match with the Google Maps candidate name. 2. The location is consistent, as the candidate is in Trelew, Chubut, Argentina. 3. The type is a perfect match; the institution is a 'Biblioteca' (library) and the candidate's primary type is 'library'.
reasoning: The match is highly likely. 1. The name of the institution, 'Biblioteca Popular Agustin Alvarez', is an exact
match with the Google Maps candidate name. 2. The location is consistent, as the candidate is in Trelew, Chubut, Argentina.
3. The type is a perfect match; the institution is a 'Biblioteca' (library) and the candidate's primary type is 'library'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:43Z: Maps: Biblioteca Popular "Guido Spano" (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:18:43Z: Maps: Biblioteca Popular "Guido Spano" (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:03Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429964+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429964+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Guido Spano
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429964+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429964+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429964+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429964+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Carreras
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429964+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429964+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -178,7 +191,8 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name match is excellent, with only minor quotation mark differences. The 'library' type is a perfect match for the institution type. The location in Santa Fe, Argentina, is consistent with the provided country code 'AR'.
reasoning: The name match is excellent, with only minor quotation mark differences. The 'library' type is a perfect match
for the institution type. The location in Santa Fe, Argentina, is consistent with the provided country code 'AR'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -93,9 +93,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.353942+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.353942+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +107,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Carlos Casado
@ -113,9 +116,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.353942+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.353942+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +129,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.353942+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.353942+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Casilda
@ -133,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.353942+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.353942+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -168,19 +180,22 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111791525960738871711/reviews
rating: 5
relative_time_description: 2 years ago
text: A beautiful library, a lovely space to unwind and let yourself flow with the book of your choice. The service is also excellent, super friendly and attentive. I'll definitely be back. 💕
text: A beautiful library, a lovely space to unwind and let yourself flow with the book of your choice. The service is
also excellent, super friendly and attentive. I'll definitely be back. 💕
publish_time: '2023-08-01T15:46:15.442202Z'
- author_name: Aldo Rotondaro
author_uri: https://www.google.com/maps/contrib/116242696454012024797/reviews
rating: 5
relative_time_description: 4 years ago
text: A library staffed by Virginia and Ely, who are excellent and super friendly. The books are displayed by topic, inviting you to take them with you. I'm from Rosario, but a part of me lives in Casilda, and its library is also a part of it.
text: A library staffed by Virginia and Ely, who are excellent and super friendly. The books are displayed by topic, inviting
you to take them with you. I'm from Rosario, but a part of me lives in Casilda, and its library is also a part of it.
publish_time: '2021-06-09T16:22:48.163448Z'
- author_name: GABY ly
author_uri: https://www.google.com/maps/contrib/104530398015591065255/reviews
rating: 5
relative_time_description: 4 years ago
text: It is a very clean, well-maintained place, with a beautiful children's room, a very nice adult room, and a large number of books. They are very attentive and always willing to help you.
text: It is a very clean, well-maintained place, with a beautiful children's room, a very nice adult room, and a large
number of books. They are very attentive and always willing to help you.
publish_time: '2021-10-28T15:09:56.480604Z'
- author_name: Vanesa Capriccioni
author_uri: https://www.google.com/maps/contrib/111327689863654571260/reviews
@ -215,7 +230,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The names are very similar, with the Google Maps name being a very plausible abbreviation of the institution's name ('Biblioteca Carlos Casado' vs. 'Biblioteca Popular Carlos Casado'). The Google Maps 'library' type is a perfect match for an institution named 'Biblioteca'. The address confirms the location in Casilda, Santa Fe, Argentina, which is consistent with the institution's country. The high confidence is due to the strong alignment of name and type within the correct general location.
reasoning: The names are very similar, with the Google Maps name being a very plausible abbreviation of the institution's
name ('Biblioteca Carlos Casado' vs. 'Biblioteca Popular Carlos Casado'). The Google Maps 'library' type is a perfect
match for an institution named 'Biblioteca'. The address confirms the location in Casilda, Santa Fe, Argentina, which
is consistent with the institution's country. The high confidence is due to the strong alignment of name and type within
the correct general location.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:59:22Z: Maps: Biblioteca Popular Dr Nicolas Avellaneda (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:59:22Z: Maps: Biblioteca Popular Dr Nicolas Avellaneda (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:11Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:41Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:14:52Z: YouTube: not found'
@ -115,9 +116,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837380+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837380+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -126,8 +130,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Nicolas Avellaneda
@ -135,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837380+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837380+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -145,9 +152,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837380+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837380+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Choele Choel
@ -155,9 +165,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837380+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837380+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -195,11 +208,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/106872369147510612940/reviews
rating: 4
relative_time_description: 2 years ago
text: 'Beautiful hall
text: |-
Beautiful hall
Various activities are offered
For our health'
For our health
publish_time: '2023-03-16T23:41:23.897042Z'
- author_name: mariana escobar
author_uri: https://www.google.com/maps/contrib/107447828778678358072/reviews
@ -250,7 +262,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: 'The Google Maps candidate is a very strong match. 1. Name: ''Biblioteca Popular Dr Nicolas Avellaneda'' is a near-perfect match for ''Biblioteca Popular Nicolas Avellaneda'', only adding the common title ''Dr.'' 2. Location: The address ''Nicolás Palacios 365, Choele-choel, Río Negro, Argentina'' is perfectly consistent with the institution''s city (Choele Choel) and country (AR). 3. Type: The ''library'' type is a direct and perfect match for the institution''s name which begins with ''Biblioteca''.'
reasoning: 'The Google Maps candidate is a very strong match. 1. Name: ''Biblioteca Popular Dr Nicolas Avellaneda'' is
a near-perfect match for ''Biblioteca Popular Nicolas Avellaneda'', only adding the common title ''Dr.'' 2. Location:
The address ''Nicolás Palacios 365, Choele-choel, Río Negro, Argentina'' is perfectly consistent with the institution''s
city (Choele Choel) and country (AR). 3. Type: The ''library'' type is a direct and perfect match for the institution''s
name which begins with ''Biblioteca''.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:00Z: Maps: Biblioteca Popular Cnel. José Rodríguez (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:00Z: Maps: Biblioteca Popular Cnel. José Rodríguez (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:05Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354181+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354181+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Coronel José Rodriguez
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354181+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354181+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354181+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354181+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Coronda
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354181+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354181+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -167,7 +180,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/117884130955560790860/reviews
rating: 5
relative_time_description: 2 years ago
text: 'I really like the library, and the staff are very kind and friendly. Suggestion: you could take out old, outdated books on education from the display cases.'
text: 'I really like the library, and the staff are very kind and friendly. Suggestion: you could take out old, outdated
books on education from the display cases.'
publish_time: '2023-03-17T21:18:26.829652Z'
- author_name: NATALIA OSTTI
author_uri: https://www.google.com/maps/contrib/101018075676153904574/reviews
@ -191,7 +205,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/112287921285847413348/reviews
rating: 5
relative_time_description: 10 months ago
text:
text: null
publish_time: '2025-01-30T17:12:30.694689Z'
opening_hours:
open_now: false
@ -224,7 +238,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The match is certain. The names are nearly identical, differing only by the abbreviation 'Cnel.' for 'Coronel'. The address confirms the location is in Argentina (AR). The website provided by the Google Maps candidate, 'bibliocoronda.ar', contains the name 'Biblioteca Popular Coronda', which strongly confirms the match. The type 'library' is a perfect match.
reasoning: The match is certain. The names are nearly identical, differing only by the abbreviation 'Cnel.' for 'Coronel'.
The address confirms the location is in Argentina (AR). The website provided by the Google Maps candidate, 'bibliocoronda.ar',
contains the name 'Biblioteca Popular Coronda', which strongly confirms the match. The type 'library' is a perfect match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -56,7 +56,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:07Z: Maps: Biblioteca Popular Mariano Moreno (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:07Z: Maps: Biblioteca Popular Mariano Moreno (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:07Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -91,9 +92,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354121+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354121+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -102,8 +106,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Mariano Moreno
@ -111,9 +115,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354121+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354121+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -121,9 +128,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354121+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354121+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: CORONEL BOGADO
@ -131,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354121+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354121+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -219,7 +232,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The names match exactly. The address in La Rioja, Argentina, is consistent with the country provided (AR). The 'library' type aligns perfectly with the 'Biblioteca' (library) in the name. The provided website further strengthens the match.
reasoning: The names match exactly. The address in La Rioja, Argentina, is consistent with the country provided (AR).
The 'library' type aligns perfectly with the 'Biblioteca' (library) in the name. The provided website further strengthens
the match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -265,7 +280,8 @@ wikidata_enrichment:
description: biblioteca popular en Coronel Bogado, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
enrichment_method: manual_wikidata_lookup
notes: Google Maps enrichment matched a DIFFERENT Biblioteca Popular Mariano Moreno in La Rioja. Wikidata confirms THIS entry is for Coronel Bogado, Santa Fe.
notes: Google Maps enrichment matched a DIFFERENT Biblioteca Popular Mariano Moreno in La Rioja. Wikidata confirms THIS
entry is for Coronel Bogado, Santa Fe.
_provenance:
content_hash:
algorithm: sha256

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '419'
identifier_url: https://www.conabip.gob.ar/biblioteca/419
- &id001
identifier_scheme: CONABIP
identifier_value: '419'
identifier_url: https://www.conabip.gob.ar/biblioteca/419
locations:
- city: Firmat
region: SANTA FE
country: AR
latitude: -33.457567
longitude: -61.48627
- city: Firmat
region: SANTA FE
country: AR
latitude: -33.457567
longitude: -61.48627
processing_timestamp: '2025-12-06T23:34:13.219833+00:00'
ghcid:
ghcid_current: AR-A-FIR-L-ABPN
@ -32,25 +32,25 @@ ghcid:
city_code: FIR
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-FIR-L-ABPN
valid_from: '2025-12-10T10:00:46.766342+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-FIR-L-ABPN
ghcid_numeric: 9102982778274817147
valid_from: '2025-12-06T23:34:13.219833+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-FIR-L-ABPN
valid_from: '2025-12-10T10:00:46.766342+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-FIR-L-ABPN
ghcid_numeric: 9102982778274817147
valid_from: '2025-12-06T23:34:13.219833+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-FIR-L-ABPN
- identifier_scheme: GHCID_UUID
identifier_value: e9811b26-1270-5011-893c-380d8eb436bd
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 7e544a9b-6f91-847b-ee21-0c5c2e097577
- identifier_scheme: GHCID_NUMERIC
identifier_value: '9102982778274817147'
- identifier_scheme: RECORD_ID
identifier_value: 485f6bb9-81bb-4ead-9f16-726b04085eae
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-FIR-L-ABPN
- identifier_scheme: GHCID_UUID
identifier_value: e9811b26-1270-5011-893c-380d8eb436bd
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 7e544a9b-6f91-847b-ee21-0c5c2e097577
- identifier_scheme: GHCID_NUMERIC
identifier_value: '9102982778274817147'
- identifier_scheme: RECORD_ID
identifier_value: 485f6bb9-81bb-4ead-9f16-726b04085eae
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:15Z: Maps: Asociacion Biblioteca Popular Nosotros (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:08Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:15Z: Maps: Asociacion Biblioteca Popular Nosotros (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:08Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:03.705508+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:03.705519+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354242+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354242+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Asociación Biblioteca Popular Nosotros
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354242+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354242+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Firmat
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354242+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Asociación Biblioteca Popular Nosotros
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354242+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354242+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Firmat
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354242+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.219833+00:00'
@ -154,26 +166,26 @@ google_maps_enrichment:
phone_local: 03465 42-5383
phone_international: +54 3465 42-5383
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: CLOSED_TEMPORARILY
rating: 4.5
total_ratings: 2
reviews:
- author_name: Maxi Duarte
author_uri: https://www.google.com/maps/contrib/100022535977105806176/reviews
rating: 5
relative_time_description: 6 years ago
text:
publish_time: '2019-01-10T17:50:49.776474119Z'
- author_name: Agustin Albarracin
author_uri: https://www.google.com/maps/contrib/112215808144873862142/reviews
rating: 4
relative_time_description: 8 years ago
text:
publish_time: '2017-09-06T11:16:11.223Z'
- author_name: Maxi Duarte
author_uri: https://www.google.com/maps/contrib/100022535977105806176/reviews
rating: 5
relative_time_description: 6 years ago
text: null
publish_time: '2019-01-10T17:50:49.776474119Z'
- author_name: Agustin Albarracin
author_uri: https://www.google.com/maps/contrib/112215808144873862142/reviews
rating: 4
relative_time_description: 8 years ago
text: null
publish_time: '2017-09-06T11:16:11.223Z'
google_maps_url: https://maps.google.com/?cid=3219639589030687967&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -220,7 +232,7 @@ location:
formatted_address: Blvd. Colón 920, S2630 Firmat, Santa Fe, Argentina
normalization_timestamp: '2025-12-09T06:47:53.124445+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Asociación Biblioteca Popular Nosotros
description: biblioteca popular en Firmat, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:59:25Z: Maps: Biblioteca Popular "General Conesa" (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:59:25Z: Maps: Biblioteca Popular "General Conesa" (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:12Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:41Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:14:53Z: YouTube: not found'
@ -115,9 +116,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837268+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837268+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -126,8 +130,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Gral. Conesa
@ -135,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837268+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837268+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -145,9 +152,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837268+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837268+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -194,7 +204,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The match is highly certain. The Google Maps name, 'Biblioteca Popular "General Conesa"', is an exact match for the institution's name. The address is in Gral. Conesa, Río Negro, Argentina, precisely matching the provided city and country. Furthermore, the type 'library' is a perfect match.
reasoning: The match is highly certain. The Google Maps name, 'Biblioteca Popular "General Conesa"', is an exact match
for the institution's name. The address is in Gral. Conesa, Río Negro, Argentina, precisely matching the provided city
and country. Furthermore, the type 'library' is a perfect match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:38Z: Maps: Biblioteca Popular Beck - Herzog (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:38Z: Maps: Biblioteca Popular Beck - Herzog (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:09Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838430+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838430+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Beck-Herzog
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838430+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838430+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838430+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838430+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Humboldt
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838430+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838430+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -171,7 +184,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name is a near-perfect match, only differing by a hyphen, which is a common variation. The address is in Humboldt, Santa Fe, Argentina, which is consistent with the country (AR). The type 'library' is a direct match for a 'Biblioteca'. The combination of these factors makes this a very strong match.
reasoning: The name is a near-perfect match, only differing by a hyphen, which is a common variation. The address is in
Humboldt, Santa Fe, Argentina, which is consistent with the country (AR). The type 'library' is a direct match for a
'Biblioteca'. The combination of these factors makes this a very strong match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -90,9 +90,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426631+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426631+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -101,8 +104,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Dr. Pedro S. Alcacer
@ -110,9 +113,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426631+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426631+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -120,9 +126,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426631+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426631+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Maciel
@ -130,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426631+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426631+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -141,7 +153,8 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Biblioteca Pública de Alcàsser
rejection_reason: The candidate location in Valencia, Spain, does not match the source institution's country, Argentina (AR). This is a clear location mismatch, indicating they are different institutions despite both being libraries.
rejection_reason: The candidate location in Valencia, Spain, does not match the source institution's country, Argentina
(AR). This is a clear location mismatch, indicating they are different institutions despite both being libraries.
timestamp: '2025-12-08T18:40:12.011035+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Dr. Pedro S. Alcacer official

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:51Z: Maps: Biblioteca Popular Centro Social Cosmopolitaolita (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:51Z: Maps: Biblioteca Popular Centro Social Cosmopolitaolita (conf: 0.95);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:13Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354422+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354422+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular del Centro Social Cosmopolita
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354422+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354422+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354422+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354422+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Malabrigo
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354422+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354422+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -172,13 +185,13 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/115919779217555087120/reviews
rating: 5
relative_time_description: a year ago
text:
text: null
publish_time: '2024-02-13T15:39:07.807671Z'
- author_name: Nico Dolza
author_uri: https://www.google.com/maps/contrib/112082155539744473929/reviews
rating: 5
relative_time_description: a year ago
text:
text: null
publish_time: '2024-02-13T15:37:34.348788Z'
opening_hours:
open_now: false
@ -211,7 +224,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: '1. Name similarity: The names are extremely similar, with the Google Maps name appearing to be a minor typographical error or concatenation (''Cosmopolitaolita'' instead of ''Cosmopolita''). 2. Location consistency: The address places the candidate in Malabrigo, Santa Fe, Argentina, which is consistent with the institution being in the country of Argentina (AR). 3. Type consistency: The ''Type'' of the Google Maps candidate is ''library'', which matches the ''Type'' of the institution being a ''Biblioteca'' (Library). The combination of these factors makes this a very likely match.'
reasoning: '1. Name similarity: The names are extremely similar, with the Google Maps name appearing to be a minor typographical
error or concatenation (''Cosmopolitaolita'' instead of ''Cosmopolita''). 2. Location consistency: The address places
the candidate in Malabrigo, Santa Fe, Argentina, which is consistent with the institution being in the country of Argentina
(AR). 3. Type consistency: The ''Type'' of the Google Maps candidate is ''library'', which matches the ''Type'' of the
institution being a ''Biblioteca'' (Library). The combination of these factors makes this a very likely match.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -90,9 +90,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426696+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426696+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -101,8 +104,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Estudio y Labor Santiago Pastorino
@ -110,9 +113,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426696+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426696+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -120,9 +126,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426696+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426696+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Máximo Paz
@ -130,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426696+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426696+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -141,7 +153,8 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Biblioteca Popular
rejection_reason: The candidate is rejected due to a location mismatch. The source institution is in Argentina (AR), while the Google Maps candidate is in Mataró, Spain.
rejection_reason: The candidate is rejected due to a location mismatch. The source institution is in Argentina (AR), while
the Google Maps candidate is in Mataró, Spain.
timestamp: '2025-12-08T18:40:16.276583+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Estudio y Labor Santiago Pastorino official

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:59Z: Maps: Biblioteca Popular Marco Avellaneda (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:19:59Z: Maps: Biblioteca Popular Marco Avellaneda (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:17Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605669+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605669+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Marco M. de Avellaneda
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605669+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605669+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605669+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605669+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Metán
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605669+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605669+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -164,7 +177,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116674391594332313194/reviews
rating: 5
relative_time_description: 2 years ago
text:
text: null
publish_time: '2023-10-24T20:45:06.417958Z'
opening_hours:
open_now: true
@ -180,7 +193,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name similarity is very high, with 'Biblioteca Popular Marco M. de Avellaneda' from the institution being a near-exact match to 'Biblioteca Popular Marco Avellaneda' from Google Maps, differing only by the omission of the middle initial 'M.' and 'de', which is common. The location is consistent as the institution is in Argentina (AR) and the candidate's address is in Salta, Argentina. The type is also a perfect match, as the institution is a library and the Google Maps candidate has 'library' as its primary type.
reasoning: The name similarity is very high, with 'Biblioteca Popular Marco M. de Avellaneda' from the institution being
a near-exact match to 'Biblioteca Popular Marco Avellaneda' from Google Maps, differing only by the omission of the
middle initial 'M.' and 'de', which is common. The location is consistent as the institution is in Argentina (AR) and
the candidate's address is in Salta, Argentina. The type is also a perfect match, as the institution is a library and
the Google Maps candidate has 'library' as its primary type.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -88,9 +88,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354482+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354482+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -99,8 +102,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Barón Hirsch
@ -108,9 +111,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354482+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354482+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -118,9 +124,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354482+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354482+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Moisés Ville
@ -128,9 +137,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:47.354482+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:47.354482+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -139,7 +151,10 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Barón hirsch
rejection_reason: The candidate 'Barón hirsch' is located in the correct city and country. However, the Google Place Types ['clothing_store', 'point_of_interest', 'store', 'establishment'] strongly indicate that this is a retail store, not a heritage institution. The source is a 'Biblioteca Popular' (People's Library), which is a library. There is a definitive type mismatch.
rejection_reason: The candidate 'Barón hirsch' is located in the correct city and country. However, the Google Place Types
['clothing_store', 'point_of_interest', 'store', 'establishment'] strongly indicate that this is a retail store, not a
heritage institution. The source is a 'Biblioteca Popular' (People's Library), which is a library. There is a definitive
type mismatch.
timestamp: '2025-12-08T18:40:22.452997+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Barón Hirsch official

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:11Z: Maps: Biblioteca Popular Gral. Manuel Obligado (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:11Z: Maps: Biblioteca Popular Gral. Manuel Obligado (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:23Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428863+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428863+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Municipal Gral. Obligado
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428863+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428863+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428863+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428863+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Reconquista
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428863+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428863+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -167,7 +180,9 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/113982895812156135011/reviews
rating: 5
relative_time_description: 3 years ago
text: Staff with HUMAN QUALITY, willing to answer questions and accept proposals. Variety of thematic books. ACCESSIBLE membership fee. FREE access to the public. 2021 HAPPY DESERVED 100 YEARS DEAR AND NECESSARY BIBLIO!!! It is one of the only libraries, called POPULAR, and is located in the city of Reconquista, Province of Santa Fe, Argentina.
text: Staff with HUMAN QUALITY, willing to answer questions and accept proposals. Variety of thematic books. ACCESSIBLE
membership fee. FREE access to the public. 2021 HAPPY DESERVED 100 YEARS DEAR AND NECESSARY BIBLIO!!! It is one of the
only libraries, called POPULAR, and is located in the city of Reconquista, Province of Santa Fe, Argentina.
publish_time: '2022-02-13T18:09:48.973459Z'
- author_name: Pablo Piedrabuena
author_uri: https://www.google.com/maps/contrib/109624648266078331385/reviews
@ -179,13 +194,16 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/105912146847884234024/reviews
rating: 5
relative_time_description: 8 years ago
text: Whenever I think about reading a new book, I go to this library. I like it... it's quite extensive with the types of content. I'd just like to know if they have any active means of communication through social networks like Facebook or WhatsApp.
text: Whenever I think about reading a new book, I go to this library. I like it... it's quite extensive with the types
of content. I'd just like to know if they have any active means of communication through social networks like Facebook
or WhatsApp.
publish_time: '2017-05-19T18:31:40.657Z'
- author_name: Daniel Mazzucchi
author_uri: https://www.google.com/maps/contrib/107125731620072674900/reviews
rating: 5
relative_time_description: 8 years ago
text: A very complete library. It also offers high-quality activities such as reading workshops, film series, and more. The reading area is comfortable and spacious, and the service is excellent.
text: A very complete library. It also offers high-quality activities such as reading workshops, film series, and more.
The reading area is comfortable and spacious, and the service is excellent.
publish_time: '2017-03-02T04:06:17.518Z'
- author_name: Raul Streuli
author_uri: https://www.google.com/maps/contrib/115089634897413581670/reviews
@ -224,7 +242,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: 'The Google Maps candidate is a strong match for the institution. 1. Name similarity: The names are highly similar. ''Biblioteca Popular Municipal Gral. Obligado'' and ''Biblioteca Popular Gral. Manuel Obligado'' both refer to a ''Popular Library'' named after General Obligado. The full name Manuel Obligado is consistent. 2. Location consistency: The institution is in ''Reconquista, Santa Fe, Argentina'', which exactly matches the address of the Google Maps candidate. 3. Type consistency: The institution is a library, and the Google Maps place has ''library'' as its primary type.'
reasoning: 'The Google Maps candidate is a strong match for the institution. 1. Name similarity: The names are highly
similar. ''Biblioteca Popular Municipal Gral. Obligado'' and ''Biblioteca Popular Gral. Manuel Obligado'' both refer
to a ''Popular Library'' named after General Obligado. The full name Manuel Obligado is consistent. 2. Location consistency:
The institution is in ''Reconquista, Santa Fe, Argentina'', which exactly matches the address of the Google Maps candidate.
3. Type consistency: The institution is a library, and the Google Maps place has ''library'' as its primary type.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '440'
identifier_url: https://www.conabip.gob.ar/biblioteca/440
- &id001
identifier_scheme: CONABIP
identifier_value: '440'
identifier_url: https://www.conabip.gob.ar/biblioteca/440
locations:
- city: Rosario
region: SANTA FE
country: AR
latitude: -32.953633
longitude: -60.634333
- city: Rosario
region: SANTA FE
country: AR
latitude: -32.953633
longitude: -60.634333
processing_timestamp: '2025-12-06T23:34:13.228728+00:00'
ghcid:
ghcid_current: AR-A-ROS-L-BPEAMR
@ -28,29 +28,29 @@ ghcid:
city_code: ROS
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-ROS-L-BPEAMR
valid_from: '2025-12-10T10:00:48.759226+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-ROS-L-BPEAMR
ghcid_numeric: 11902985014523764144
valid_from: '2025-12-06T23:34:13.228728+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-ROS-L-BPEAMR
valid_from: '2025-12-10T10:00:48.759226+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-ROS-L-BPEAMR
ghcid_numeric: 11902985014523764144
valid_from: '2025-12-06T23:34:13.228728+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular y Escuela de la Asociacion de Mujeres de Rosario
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-ROS-L-BPEAMR
- identifier_scheme: GHCID_UUID
identifier_value: 96f4bcde-b1ce-5774-8a4a-3ecffad68eb8
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: a52fe5ce-557c-8db0-ba07-4aaf00fa4ee8
- identifier_scheme: GHCID_NUMERIC
identifier_value: '11902985014523764144'
- identifier_scheme: RECORD_ID
identifier_value: e3f988ea-82c3-4a71-b573-6d7c20e1ce9f
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-ROS-L-BPEAMR
- identifier_scheme: GHCID_UUID
identifier_value: 96f4bcde-b1ce-5774-8a4a-3ecffad68eb8
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: a52fe5ce-557c-8db0-ba07-4aaf00fa4ee8
- identifier_scheme: GHCID_NUMERIC
identifier_value: '11902985014523764144'
- identifier_scheme: RECORD_ID
identifier_value: e3f988ea-82c3-4a71-b573-6d7c20e1ce9f
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:29Z: Maps: Biblioteca y Escuela de la Asociación de Mujeres de Rosario
N° 440 (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:24Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:29Z: Maps: Biblioteca y Escuela de la Asociación de Mujeres de Rosario
N° 440 (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:24Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:03.901069+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:03.901086+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425538+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425538+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Escuela de la Asociacion de Mujeres de Rosario
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425538+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425538+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425538+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular y Escuela de la Asociacion de Mujeres de Rosario
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425538+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425538+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425538+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.228728+00:00'
@ -155,75 +167,75 @@ google_maps_enrichment:
phone_international: +54 341 449-4581
website: https://www.facebook.com/biblioteca.delconsejodemujeres/
google_place_types:
- library
- school
- point_of_interest
- establishment
- library
- school
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 5
reviews:
- author_name: Ricardo Celaya
author_uri: https://www.google.com/maps/contrib/109181736987794170590/reviews
rating: 5
relative_time_description: 7 years ago
text: Founded in 1872 under the presidency of Domingo Faustino Sarmiento, it is considered the oldest of Rosario's popular
libraries. It currently has more than 35,000 volumes, and is the depository and heir of invaluable 19th century collections,
such as the newspaper library that includes the newspapers La Confederación, El ferrocarril, El Municipio, La Revista
del Paraná, La Capital, among others.
publish_time: '2018-02-11T00:04:23.209Z'
- author_name: Socialitaargentina
author_uri: https://www.google.com/maps/contrib/117051359987031112226/reviews
rating: 5
relative_time_description: 3 years ago
text: Women
publish_time: '2022-05-10T14:59:24.304218Z'
- author_name: Edgardo Luis Colcombet Sánchez
author_uri: https://www.google.com/maps/contrib/114964126459835668670/reviews
rating: 5
relative_time_description: 7 months ago
text:
publish_time: '2025-04-17T03:09:29.269110Z'
- author_name: Susana Depalma
author_uri: https://www.google.com/maps/contrib/114281115290835413669/reviews
rating: 5
relative_time_description: 3 years ago
text:
publish_time: '2022-07-08T02:37:06.483318Z'
- author_name: Rodrigo Sanguedolce
author_uri: https://www.google.com/maps/contrib/112543432543293523404/reviews
rating: 4
relative_time_description: 12 years ago
text:
publish_time: '2013-08-05T15:15:43.511695Z'
- author_name: Ricardo Celaya
author_uri: https://www.google.com/maps/contrib/109181736987794170590/reviews
rating: 5
relative_time_description: 7 years ago
text: Founded in 1872 under the presidency of Domingo Faustino Sarmiento, it is considered the oldest of Rosario's popular
libraries. It currently has more than 35,000 volumes, and is the depository and heir of invaluable 19th century collections,
such as the newspaper library that includes the newspapers La Confederación, El ferrocarril, El Municipio, La Revista
del Paraná, La Capital, among others.
publish_time: '2018-02-11T00:04:23.209Z'
- author_name: Socialitaargentina
author_uri: https://www.google.com/maps/contrib/117051359987031112226/reviews
rating: 5
relative_time_description: 3 years ago
text: Women
publish_time: '2022-05-10T14:59:24.304218Z'
- author_name: Edgardo Luis Colcombet Sánchez
author_uri: https://www.google.com/maps/contrib/114964126459835668670/reviews
rating: 5
relative_time_description: 7 months ago
text: null
publish_time: '2025-04-17T03:09:29.269110Z'
- author_name: Susana Depalma
author_uri: https://www.google.com/maps/contrib/114281115290835413669/reviews
rating: 5
relative_time_description: 3 years ago
text: null
publish_time: '2022-07-08T02:37:06.483318Z'
- author_name: Rodrigo Sanguedolce
author_uri: https://www.google.com/maps/contrib/112543432543293523404/reviews
rating: 4
relative_time_description: 12 years ago
text: null
publish_time: '2013-08-05T15:15:43.511695Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 9:00AM6:00PM'
- 'Tuesday: 9:00AM6:00PM'
- 'Wednesday: 9:15AM6:00PM'
- 'Thursday: 9:00AM6:00PM'
- 'Friday: 9:00AM6:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 9:00AM6:00PM'
- 'Tuesday: 9:00AM6:00PM'
- 'Wednesday: 9:15AM6:00PM'
- 'Thursday: 9:00AM6:00PM'
- 'Friday: 9:00AM6:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHoCa7hVR8doXK0cdvJVPHW4yudFRTmaDbq3jjvR5V2ajIsh5EUfmDjuZ_63s1U7Ul_Kxy2_O28oDcWlPEhxiKA-f6UGkyftW8Uj6UrWXzlfD2gbArnbA6Wa55CzxOlB0--Q7ynorW4Eb8C3hGC37HLysjGNTdDOO_bgiPT0O4m0oZhbY6wQg1pebyTn4S2VKFO7Fh5onzrDnRyKd9m4__p7np9X97KEPrdtZk-T7UBkOGnoqjHn9-i_FCgUCXX2PzUoExIVYhf9hrcuWbSt4kdh9TQGbfH9zndkfYoHikUXTjti7UAeie8p6nNVj2tTC6hdMh7iKpNSUUQaLLArIto3NRKs1QZRvzf3M5_2RoECRygaesiu-Wt_1CteXLopMih3MMogTlrJw9U9Oh1PzJLzfS8DTz1olF7PTCw_zmaa2A
height: 1932
width: 2576
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHq_JFhWNbNnY66Hp5Bcou2M1koemvnwGRs3OMM7gaAdSS7YKxd0Wt2yBhe2RIqThixB5unkkQDqgf8UsMfydYDXn251iu0L59EcGmKEqyJrEYGtTfJCu5fazwVuWJv1vfa7ImG0iAs23KhZXXsy1Ar9ZvysfB96-hR-1ThnTwEq7JpOO6XJ0wEza9qQ5eMfb3-LGuEh0x5g5zobGkRAnDCbKaUtZLL6fgmRkYpQ1eRrheYZ3dQ2_mOCRuTdYRJbWKzg2Zx-MoeecvWAeYwtz5T1Bymd-O4OC3TPTEs6VKk0_OfMjA8ZXjmznP3PpB1txtFYbZ6wPb1MGr0e__xAh_YJCvQQ1fgc3mM3yqDAKAUQHsGmJTZgp7KOgVXZE19e7NuK3STgRFqwV-akYv9Q_vnL8uxj2oleSmbeevAGnRfWn5kA
height: 3456
width: 4608
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHoC6GYBQw9i4lFtmkRVSxnjWS02osHP-Qo-ybyo9ZWGMnxRKy4rLS-A4IOgDCDhcTryt_PCEmcwDqEVoyHf4XfkYMq1ekjP2PdiDJDYrYEdm4jfwZdGHFiJl0AgwL3qHf3vm4AxwQcTPvgCWaGKu_vRlKT9Ggay59v4fL0Nlbdb6Y7ObzhM_k4SwT834-GmEGwLOpmI8UrVjzBgl_EuAXywZCUn2wmopoWsRysoGupGVIJAABT42RxVjtU8tg8UJcmfWHHOfqhXrBIB84c5Zx4izibQWB9hc3KTObXs4KsjyVTj2kgiycHTJ36hUQ8OpoEi48JkmURyW-akAn6-KPrvj8Bn7LwLDd6rLNZg_obMpJm6IVXpzu-B8PveNtkpBfDCjo1TV9g4XV6tWmW7-gYToussLSV5YFpwa9186X9R-A
height: 3456
width: 4608
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHreAZt6cqquDp2dSB8Xor1YCh2_W9wkSpVcesKF4rXeLG5CjPeaC9Sm7TkbDiWRwDN8LN3GN95QuTw9Edqabtl_JHNV3LfUS3ohtAQWk0QfQpV97h-GW_qf5qgkxROdTmdGzd7NwfFnxjB2d3GdBa838UG03kww1VJ7uI5ZK3ZB7UEt4QGnj19qIL19qRsaHzy5eaWmlG1oiRcJY5TsnbVB7AD5H9pJ_ZSt-Yl6JjpxvKKM2GhfsUFiyl8fvGbiB2UI-pSfKYbQLYxLFtjLQJWHyvyHFqZKUPBoTyt9_pPwO7R3wdL1HHVInFxrisGf8wchcTwJjqli9mTOaLyGI9xnmLWIPx8eRMFWaLwuGTbXQy3HlhXLbRKCx9n18lzi4vVT1CAh_jaXhZf3J0J1gNNZzGHEI5Xq9b_8nJ2TqPy1jA
height: 1932
width: 2576
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHqNBABoYQSigoqQfmsLV3tyEZ3GP5I8Au4z-JRtyNIOwuLiW6EwTTXbm-i0993Q3ZpwtR37EYLk6BYdCv1p9-RXkGXX14q7FuqD9st-18IMy4-anR8qPUWA-_d0QwqIRUvQHXxX9z3FqWTl2iTghrdffyh95pOAmWLEinRika4zJET_2Emr-LmRUg98NAdlGuUUuzYxbSpTdKhphCwD3D0XM41-gRjs0GcuDNGpah_Z6_nMADpOvUlxA3eDdw5i0ucaesUXUahoirHU1BjRB3nd8NkpelkySeY2RFdjSfLaVKAf7ha57DRkOoqW__aKa6Es-CXgSd-YvvTibsgZs16rMIqHrfKM3m8x3zivomhKCwIjgDY_AOu15ezNsYBu90OmUrvtZ-j3roWsda6UVZpZ4mkYJCzR_I2U7IKpYcCsNA
height: 1932
width: 2576
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHoCa7hVR8doXK0cdvJVPHW4yudFRTmaDbq3jjvR5V2ajIsh5EUfmDjuZ_63s1U7Ul_Kxy2_O28oDcWlPEhxiKA-f6UGkyftW8Uj6UrWXzlfD2gbArnbA6Wa55CzxOlB0--Q7ynorW4Eb8C3hGC37HLysjGNTdDOO_bgiPT0O4m0oZhbY6wQg1pebyTn4S2VKFO7Fh5onzrDnRyKd9m4__p7np9X97KEPrdtZk-T7UBkOGnoqjHn9-i_FCgUCXX2PzUoExIVYhf9hrcuWbSt4kdh9TQGbfH9zndkfYoHikUXTjti7UAeie8p6nNVj2tTC6hdMh7iKpNSUUQaLLArIto3NRKs1QZRvzf3M5_2RoECRygaesiu-Wt_1CteXLopMih3MMogTlrJw9U9Oh1PzJLzfS8DTz1olF7PTCw_zmaa2A
height: 1932
width: 2576
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHq_JFhWNbNnY66Hp5Bcou2M1koemvnwGRs3OMM7gaAdSS7YKxd0Wt2yBhe2RIqThixB5unkkQDqgf8UsMfydYDXn251iu0L59EcGmKEqyJrEYGtTfJCu5fazwVuWJv1vfa7ImG0iAs23KhZXXsy1Ar9ZvysfB96-hR-1ThnTwEq7JpOO6XJ0wEza9qQ5eMfb3-LGuEh0x5g5zobGkRAnDCbKaUtZLL6fgmRkYpQ1eRrheYZ3dQ2_mOCRuTdYRJbWKzg2Zx-MoeecvWAeYwtz5T1Bymd-O4OC3TPTEs6VKk0_OfMjA8ZXjmznP3PpB1txtFYbZ6wPb1MGr0e__xAh_YJCvQQ1fgc3mM3yqDAKAUQHsGmJTZgp7KOgVXZE19e7NuK3STgRFqwV-akYv9Q_vnL8uxj2oleSmbeevAGnRfWn5kA
height: 3456
width: 4608
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHoC6GYBQw9i4lFtmkRVSxnjWS02osHP-Qo-ybyo9ZWGMnxRKy4rLS-A4IOgDCDhcTryt_PCEmcwDqEVoyHf4XfkYMq1ekjP2PdiDJDYrYEdm4jfwZdGHFiJl0AgwL3qHf3vm4AxwQcTPvgCWaGKu_vRlKT9Ggay59v4fL0Nlbdb6Y7ObzhM_k4SwT834-GmEGwLOpmI8UrVjzBgl_EuAXywZCUn2wmopoWsRysoGupGVIJAABT42RxVjtU8tg8UJcmfWHHOfqhXrBIB84c5Zx4izibQWB9hc3KTObXs4KsjyVTj2kgiycHTJ36hUQ8OpoEi48JkmURyW-akAn6-KPrvj8Bn7LwLDd6rLNZg_obMpJm6IVXpzu-B8PveNtkpBfDCjo1TV9g4XV6tWmW7-gYToussLSV5YFpwa9186X9R-A
height: 3456
width: 4608
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHreAZt6cqquDp2dSB8Xor1YCh2_W9wkSpVcesKF4rXeLG5CjPeaC9Sm7TkbDiWRwDN8LN3GN95QuTw9Edqabtl_JHNV3LfUS3ohtAQWk0QfQpV97h-GW_qf5qgkxROdTmdGzd7NwfFnxjB2d3GdBa838UG03kww1VJ7uI5ZK3ZB7UEt4QGnj19qIL19qRsaHzy5eaWmlG1oiRcJY5TsnbVB7AD5H9pJ_ZSt-Yl6JjpxvKKM2GhfsUFiyl8fvGbiB2UI-pSfKYbQLYxLFtjLQJWHyvyHFqZKUPBoTyt9_pPwO7R3wdL1HHVInFxrisGf8wchcTwJjqli9mTOaLyGI9xnmLWIPx8eRMFWaLwuGTbXQy3HlhXLbRKCx9n18lzi4vVT1CAh_jaXhZf3J0J1gNNZzGHEI5Xq9b_8nJ2TqPy1jA
height: 1932
width: 2576
- name: places/ChIJh1CEoQSrt5URQN8aR7UB0Tw/photos/AZLasHqNBABoYQSigoqQfmsLV3tyEZ3GP5I8Au4z-JRtyNIOwuLiW6EwTTXbm-i0993Q3ZpwtR37EYLk6BYdCv1p9-RXkGXX14q7FuqD9st-18IMy4-anR8qPUWA-_d0QwqIRUvQHXxX9z3FqWTl2iTghrdffyh95pOAmWLEinRika4zJET_2Emr-LmRUg98NAdlGuUUuzYxbSpTdKhphCwD3D0XM41-gRjs0GcuDNGpah_Z6_nMADpOvUlxA3eDdw5i0ucaesUXUahoirHU1BjRB3nd8NkpelkySeY2RFdjSfLaVKAf7ha57DRkOoqW__aKa6Es-CXgSd-YvvTibsgZs16rMIqHrfKM3m8x3zivomhKCwIjgDY_AOu15ezNsYBu90OmUrvtZ-j3roWsda6UVZpZ4mkYJCzR_I2U7IKpYcCsNA
height: 1932
width: 2576
google_maps_url: https://maps.google.com/?cid=4382285790501855040&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -272,7 +284,7 @@ location:
formatted_address: 3 de Febrero 726, S2000BKP Rosario, Santa Fe, Argentina
normalization_timestamp: '2025-12-09T06:47:53.413369+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular y Escuela de la Asociacion de Mujeres de Rosario
description: biblioteca popular en Rosario, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -297,20 +309,20 @@ logo_enrichment:
source_url: https://www.facebook.com/biblioteca.delconsejodemujeres
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/biblioteca.delconsejodemujeres
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-24T01:43:54.890021+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/284115825_3420911908143910_3508003053705555747_n.jpg?stp=dst-jpg_tt6&cstp=mx1080x566&ctp=s1080x566&_nc_cat=110&ccb=1-7&_nc_sid=3ab345&_nc_ohc=WI6v901Ws7sQ7kNvwEPWaEn&_nc_oc=AdkFyhI_rQcmt9KchTdOj7erw3VwL_YLrXVaOSEvGBj3De6vybLvhhD5BGh09PFqImY&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=_zD42V9hZn2iSPAumlngtg&oh=00_Afm33tpm8oOkOhR9LE7leyB8wRvmfN46diWdDdPWheentA&oe=695120D6
source_url: https://www.facebook.com/biblioteca.delconsejodemujeres
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-24T01:43:54.890021+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/biblioteca.delconsejodemujeres
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-24T01:43:54.890021+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/284115825_3420911908143910_3508003053705555747_n.jpg?stp=dst-jpg_tt6&cstp=mx1080x566&ctp=s1080x566&_nc_cat=110&ccb=1-7&_nc_sid=3ab345&_nc_ohc=WI6v901Ws7sQ7kNvwEPWaEn&_nc_oc=AdkFyhI_rQcmt9KchTdOj7erw3VwL_YLrXVaOSEvGBj3De6vybLvhhD5BGh09PFqImY&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=_zD42V9hZn2iSPAumlngtg&oh=00_Afm33tpm8oOkOhR9LE7leyB8wRvmfN46diWdDdPWheentA&oe=695120D6
source_url: https://www.facebook.com/biblioteca.delconsejodemujeres
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-24T01:43:54.890021+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '1265'
identifier_url: https://www.conabip.gob.ar/biblioteca/1265
- &id001
identifier_scheme: CONABIP
identifier_value: '1265'
identifier_url: https://www.conabip.gob.ar/biblioteca/1265
locations:
- city: Rosario
region: SANTA FE
country: AR
latitude: -33.12855
longitude: -60.804817
- city: Rosario
region: SANTA FE
country: AR
latitude: -33.12855
longitude: -60.804817
processing_timestamp: '2025-12-06T23:36:13.501674+00:00'
ghcid:
ghcid_current: AR-A-ROS-L-BPIM
@ -28,29 +28,29 @@ ghcid:
city_code: ROS
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-ROS-L-BPIM
valid_from: '2025-12-10T10:00:48.847702+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-ROS-L-BPIM
ghcid_numeric: 12140553312672871844
valid_from: '2025-12-06T23:36:13.501674+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-ROS-L-BPIM
valid_from: '2025-12-10T10:00:48.847702+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-ROS-L-BPIM
ghcid_numeric: 12140553312672871844
valid_from: '2025-12-06T23:36:13.501674+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Inf. 25 de Mayo
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-ROS-L-BPIM
- identifier_scheme: GHCID_UUID
identifier_value: 52191d88-9a8f-59fd-ad0a-510e5904bae5
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: a87be8ea-1a8e-85a4-0c0f-ae9e4f1d38fa
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12140553312672871844'
- identifier_scheme: RECORD_ID
identifier_value: 4f4a746b-50dc-4a12-9dc2-712d1dfab946
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-ROS-L-BPIM
- identifier_scheme: GHCID_UUID
identifier_value: 52191d88-9a8f-59fd-ad0a-510e5904bae5
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: a87be8ea-1a8e-85a4-0c0f-ae9e4f1d38fa
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12140553312672871844'
- identifier_scheme: RECORD_ID
identifier_value: 4f4a746b-50dc-4a12-9dc2-712d1dfab946
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,11 +58,11 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:33Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:27Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:33Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:27Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -70,8 +70,8 @@ provenance:
verified_at: '2025-12-28T19:57:03.919937+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:03.919952+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -83,15 +83,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952774+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952774+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -100,39 +103,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Inf. 25 de Mayo
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952774+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952774+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952774+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Inf. 25 de Mayo
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952774+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952774+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952774+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.501674+00:00'
@ -160,7 +172,7 @@ location:
country: AR
normalization_timestamp: '2025-12-09T06:47:53.440456+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Inf. 25 de Mayo
description: biblioteca popular en Rosario, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:36Z: Maps: Biblioteca Popular Aristóbulo del Valle (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:36Z: Maps: Biblioteca Popular Aristóbulo del Valle (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:28Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429911+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429911+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Pública Aristobulo del Valle
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429911+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429911+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429911+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429911+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429911+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429911+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -173,7 +186,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name similarity is very high, with only a minor difference in the presence/absence of 'y Pública'. The location is consistent, as the Google Maps address places the library in Rosario, Santa Fe, Argentina. The type is a perfect match, as the candidate is a 'library'. Therefore, it is highly likely to be the same institution.
reasoning: The name similarity is very high, with only a minor difference in the presence/absence of 'y Pública'. The
location is consistent, as the Google Maps address places the library in Rosario, Santa Fe, Argentina. The type is a
perfect match, as the candidate is a 'library'. Therefore, it is highly likely to be the same institution.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:41Z: Maps: Biblioteca Pedagógica "Eudoro Díaz" (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:41Z: Maps: Biblioteca Pedagógica "Eudoro Díaz" (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:29Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425667+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425667+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Provincial Pedagógica Eudoro Díaz
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425667+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425667+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425667+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425667+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rosario
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425667+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425667+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -167,7 +180,9 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111674531127966405822/reviews
rating: 5
relative_time_description: 6 years ago
text: A pleasant, comfortable, and tasteful library. Implicitly Masonic, it contains a wide range of books, from dictionaries and novels to science and cooking books. I've been a member for a year, and my satisfaction grows daily. While they don't let you drink mate, it's rewarded with the cleanliness and tidiness of the place.
text: A pleasant, comfortable, and tasteful library. Implicitly Masonic, it contains a wide range of books, from dictionaries
and novels to science and cooking books. I've been a member for a year, and my satisfaction grows daily. While they
don't let you drink mate, it's rewarded with the cleanliness and tidiness of the place.
publish_time: '2019-09-09T20:12:37.336283Z'
- author_name: Nathalia Medeiros Fadoni
author_uri: https://www.google.com/maps/contrib/105053102458184729714/reviews
@ -185,19 +200,18 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/105710880765931742376/reviews
rating: 2
relative_time_description: 7 years ago
text: 'The library is small but nice and tidy.
It''s a place where the people who work there don''t even realize it''s a library and they chat loudly in the reading room. Zero respect.
There''s also no air conditioning, which makes it a no-no for summer.'
text: |-
The library is small but nice and tidy.
It's a place where the people who work there don't even realize it's a library and they chat loudly in the reading room. Zero respect.
There's also no air conditioning, which makes it a no-no for summer.
publish_time: '2018-02-05T18:37:55.240Z'
- author_name: Lisandro Milesi
author_uri: https://www.google.com/maps/contrib/114964579531348686387/reviews
rating: 5
relative_time_description: 7 years ago
text: 'It''s amazing! A little more, a little less, a very nice place.
However, at the tables next to the glass on the ground floor, on a day when the sun is shining, it''s hard to stay.'
text: |-
It's amazing! A little more, a little less, a very nice place.
However, at the tables next to the glass on the ground floor, on a day when the sun is shining, it's hard to stay.
publish_time: '2018-06-15T15:28:43.564Z'
opening_hours:
open_now: false
@ -230,7 +244,13 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: 'There is a perfect match between the institution and the Google Maps candidate. 1. Name similarity: The names are virtually identical; ''Biblioteca Popular Provincial Pedagógica Eudoro Díaz'' is the full formal name, while ''Biblioteca Pedagógica "Eudoro Díaz"'' is a common variation, retaining the core identifiers ''Biblioteca'', ''Pedagógica'', and ''Eudoro Díaz''. 2. Location consistency: The institution is in Argentina, and the candidate is specifically located in Rosario, Santa Fe, Argentina, which is consistent. 3. Type consistency: The institution is a library, and the candidate''s primary type is ''library''. The provided website on the Google Maps listing (https://bibliotecaediaz.com.ar/) also confirms it is the correct institution.'
reasoning: 'There is a perfect match between the institution and the Google Maps candidate. 1. Name similarity: The names
are virtually identical; ''Biblioteca Popular Provincial Pedagógica Eudoro Díaz'' is the full formal name, while ''Biblioteca
Pedagógica "Eudoro Díaz"'' is a common variation, retaining the core identifiers ''Biblioteca'', ''Pedagógica'', and
''Eudoro Díaz''. 2. Location consistency: The institution is in Argentina, and the candidate is specifically located
in Rosario, Santa Fe, Argentina, which is consistent. 3. Type consistency: The institution is a library, and the candidate''s
primary type is ''library''. The provided website on the Google Maps listing (https://bibliotecaediaz.com.ar/) also
confirms it is the correct institution.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -115,9 +115,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953034+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953034+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -126,8 +129,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Asociación Domingo Faustino Sarmiento
@ -135,9 +138,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953034+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953034+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -145,9 +151,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953034+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953034+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Bariloche
@ -155,9 +164,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953034+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953034+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -189,13 +201,15 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/117289798596419537950/reviews
rating: 5
relative_time_description: 6 years ago
text: Great little library! They have a kids room with English books. There was even a little kitten (Alfonsina) inside when we visited. Have visited multiple times now and really enjoy coming here.
text: Great little library! They have a kids room with English books. There was even a little kitten (Alfonsina) inside
when we visited. Have visited multiple times now and really enjoy coming here.
publish_time: '2019-02-22T00:30:04.061460Z'
- author_name: Enrico Lamperti
author_uri: https://www.google.com/maps/contrib/106986122404916886393/reviews
rating: 5
relative_time_description: 8 years ago
text: The local library -which was a high school decades ago- has a beautiful building. This quiet spot has not only a library but also one of the few teathers of Bariloche, and it's a key cultural landmark of our city.
text: The local library -which was a high school decades ago- has a beautiful building. This quiet spot has not only a
library but also one of the few teathers of Bariloche, and it's a key cultural landmark of our city.
publish_time: '2017-06-26T14:54:57.865Z'
- author_name: Yair Rossbach
author_uri: https://www.google.com/maps/contrib/104506609476402496027/reviews
@ -207,13 +221,16 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/105533381481346839468/reviews
rating: 5
relative_time_description: 4 months ago
text: Excellent place if you're looking for tranquility, very cozy and warm. The staff are very friendly and knowledgeable about their work! In my case, I spent several hours working from home, but it's also ideal if you need to study or read. The view is unparalleled. I visited from Corrientes on vacation and would return a thousand times over.
text: Excellent place if you're looking for tranquility, very cozy and warm. The staff are very friendly and knowledgeable
about their work! In my case, I spent several hours working from home, but it's also ideal if you need to study or read.
The view is unparalleled. I visited from Corrientes on vacation and would return a thousand times over.
publish_time: '2025-07-16T23:27:01.528219208Z'
- author_name: Ana Guadalupe
author_uri: https://www.google.com/maps/contrib/108910463123443794903/reviews
rating: 4
relative_time_description: 6 months ago
text: Se eu tivesse mais tempo em Bariloche, passaria horas nessa biblioteca. A atmosfera é muito especial, a luz é lindíssima e o acervo é bem interessante. Vale a pena conhecer.
text: Se eu tivesse mais tempo em Bariloche, passaria horas nessa biblioteca. A atmosfera é muito especial, a luz é lindíssima
e o acervo é bem interessante. Vale a pena conhecer.
publish_time: '2025-06-05T20:57:20.925877Z'
opening_hours:
open_now: true
@ -246,7 +263,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name 'Biblioteca Sarmiento' is a very common and direct abbreviation of 'Biblioteca Popular y Asociación Domingo Faustino Sarmiento'. The location in San Carlos de Bariloche is a perfect match for the institution's city. The Google Maps type 'library' is consistent with the 'Biblioteca' (Library) in the institution's name. Furthermore, the candidate's official website URL contains the name 'sarmiento', providing strong additional evidence. All factors point to this being a match.
reasoning: The name 'Biblioteca Sarmiento' is a very common and direct abbreviation of 'Biblioteca Popular y Asociación
Domingo Faustino Sarmiento'. The location in San Carlos de Bariloche is a perfect match for the institution's city.
The Google Maps type 'library' is consistent with the 'Biblioteca' (Library) in the institution's name. Furthermore,
the candidate's official website URL contains the name 'sarmiento', providing strong additional evidence. All factors
point to this being a match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:44Z: Maps: Rivadavia Popular Library Center (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:44Z: Maps: Rivadavia Popular Library Center (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:29Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425896+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425896+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Centro Rivadavia
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425896+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425896+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425896+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425896+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Carlos Centro
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425896+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425896+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -167,31 +180,32 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100171693433282274325/reviews
rating: 4
relative_time_description: 9 years ago
text: I am a reader interested in old books...books that you will find in this bookstore...there are also VHS movies...it's a good idea to be able to use them to transfer them to DVD.
text: I am a reader interested in old books...books that you will find in this bookstore...there are also VHS movies...it's
a good idea to be able to use them to transfer them to DVD.
publish_time: '2016-08-05T23:53:41.364Z'
- author_name: Lucas Lagger
author_uri: https://www.google.com/maps/contrib/101177722673478775367/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-01-13T14:27:35.705438Z'
- author_name: Laura Sejas
author_uri: https://www.google.com/maps/contrib/111873704586165619258/reviews
rating: 4
relative_time_description: 8 years ago
text:
text: null
publish_time: '2017-08-15T18:18:54.048Z'
- author_name: Mario Rubén Imwinkelried
author_uri: https://www.google.com/maps/contrib/108082046117844253189/reviews
rating: 5
relative_time_description: 8 years ago
text:
text: null
publish_time: '2017-07-19T00:57:11.964Z'
- author_name: Maritza Quispe
author_uri: https://www.google.com/maps/contrib/113465882047647785697/reviews
rating: 3
relative_time_description: 8 years ago
text:
text: null
publish_time: '2017-04-19T22:51:53.966Z'
opening_hours:
open_now: true
@ -218,7 +232,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The match is highly probable. 1. Name similarity is strong; 'Biblioteca Popular Centro Rivadavia' is a direct translation of 'Rivadavia Popular Library Center'. 2. The Google Maps candidate's website (centrorivadavia.com.ar) confirms its identity as 'Centro Rivadavia', strongly supporting the match. 3. The type 'library' is perfectly consistent with the 'Biblioteca' (Library) in the institution's name.
reasoning: The match is highly probable. 1. Name similarity is strong; 'Biblioteca Popular Centro Rivadavia' is a direct
translation of 'Rivadavia Popular Library Center'. 2. The Google Maps candidate's website (centrorivadavia.com.ar) confirms
its identity as 'Centro Rivadavia', strongly supporting the match. 3. The type 'library' is perfectly consistent with
the 'Biblioteca' (Library) in the institution's name.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -63,7 +63,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:47Z: Maps: Biblioteca Popular Domingo Guzmán Silva (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:47Z: Maps: Biblioteca Popular Domingo Guzmán Silva (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:30Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
@ -97,9 +98,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426038+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426038+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -108,8 +112,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Domingo Guzman Silva
@ -117,9 +121,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426038+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426038+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -127,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426038+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426038+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San José del Rincón
@ -137,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426038+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426038+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q18916282
@ -147,9 +160,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q18916282
timestamp: '2025-11-17T17:00:50.426038+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426038+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -199,7 +215,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
- id: Q5728070
label: popular library
description: type of public library in Spanish-speaking countries
@ -254,31 +271,33 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116751072570167127890/reviews
rating: 4
relative_time_description: 4 years ago
text: A beautiful public library, 102 years old. Over 16,000 titles, a group of people who love the institution, and a dedicated librarian like Pamela. Become a member; the fee is very small.
text: A beautiful public library, 102 years old. Over 16,000 titles, a group of people who love the institution, and a
dedicated librarian like Pamela. Become a member; the fee is very small.
publish_time: '2021-04-17T02:04:07.747414Z'
- author_name: Laura Hormaeche
author_uri: https://www.google.com/maps/contrib/108417809090202980677/reviews
rating: 5
relative_time_description: 2 years ago
text: I attended the coastal writers' meeting. The organization, the quality of the participants, and the warmth of the organizers were excellent. The venue is beautiful!
text: I attended the coastal writers' meeting. The organization, the quality of the participants, and the warmth of the
organizers were excellent. The venue is beautiful!
publish_time: '2023-04-04T01:39:50.219260Z'
- author_name: super don atilio
author_uri: https://www.google.com/maps/contrib/107791307488652642784/reviews
rating: 5
relative_time_description: 4 months ago
text:
text: null
publish_time: '2025-08-02T21:43:39.303993945Z'
- author_name: Santiago Corzo
author_uri: https://www.google.com/maps/contrib/116870560229188400588/reviews
rating: 1
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-04-30T22:03:00.651027Z'
- author_name: David Grimaldi
author_uri: https://www.google.com/maps/contrib/101608618729703043183/reviews
rating: 5
relative_time_description: 4 years ago
text:
text: null
publish_time: '2021-06-28T22:44:41.436804Z'
opening_hours:
open_now: true
@ -311,7 +330,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The names are an exact match. The Google Maps address, 'S3089, Santa Fe Province, Argentina', is highly consistent with the Wikidata item's location in Santa Fe, Argentina. The 'library' type on Google Maps also perfectly matches the 'library' classification from Wikidata. All key factors align strongly, leading to high confidence.
reasoning: The names are an exact match. The Google Maps address, 'S3089, Santa Fe Province, Argentina', is highly consistent
with the Wikidata item's location in Santa Fe, Argentina. The 'library' type on Google Maps also perfectly matches the
'library' classification from Wikidata. All key factors align strongly, leading to high confidence.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '925'
identifier_url: https://www.conabip.gob.ar/biblioteca/925
- &id001
identifier_scheme: CONABIP
identifier_value: '925'
identifier_url: https://www.conabip.gob.ar/biblioteca/925
locations:
- city: San Justo
region: SANTA FE
country: AR
latitude: -30.359583
longitude: -60.403283
- city: San Justo
region: SANTA FE
country: AR
latitude: -30.359583
longitude: -60.403283
processing_timestamp: '2025-12-06T23:36:13.430719+00:00'
ghcid:
ghcid_current: AR-A-SAN-L-BPEZ
@ -32,25 +32,25 @@ ghcid:
city_code: SAN
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-SAN-L-BPEZ
valid_from: '2025-12-10T10:00:49.131492+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-SAN-L-BPEZ
ghcid_numeric: 15606372503388949860
valid_from: '2025-12-06T23:36:13.430719+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-SAN-L-BPEZ
valid_from: '2025-12-10T10:00:49.131492+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-SAN-L-BPEZ
ghcid_numeric: 15606372503388949860
valid_from: '2025-12-06T23:36:13.430719+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-SAN-L-BPEZ
- identifier_scheme: GHCID_UUID
identifier_value: f111e188-e68f-5b5a-b332-0f225945ba16
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d894f91b-10ec-8d64-bc19-aee49f36eb25
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15606372503388949860'
- identifier_scheme: RECORD_ID
identifier_value: 6a42ed47-75e4-4523-a39f-0d66c55fa91c
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-SAN-L-BPEZ
- identifier_scheme: GHCID_UUID
identifier_value: f111e188-e68f-5b5a-b332-0f225945ba16
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d894f91b-10ec-8d64-bc19-aee49f36eb25
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15606372503388949860'
- identifier_scheme: RECORD_ID
identifier_value: 6a42ed47-75e4-4523-a39f-0d66c55fa91c
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:51Z: Maps: Popular Library Estanislao Zeballos (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:31Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:51Z: Maps: Popular Library Estanislao Zeballos (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:31Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:04.160251+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.160265+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838314+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838314+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Estanislao Zeballos
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838314+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838314+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: San Justo
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838314+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Estanislao Zeballos
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838314+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838314+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Justo
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838314+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.430719+00:00'
@ -155,78 +167,78 @@ google_maps_enrichment:
phone_international: +54 11 4201-6858
website: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 32
reviews:
- author_name: elisabet ramallo
author_uri: https://www.google.com/maps/contrib/108067863882424846203/reviews
rating: 5
relative_time_description: a year ago
text: INTEGRARTE is a space where art lives and our integrated actors shine with the help of Professor Jorge Ruiz...
Come visit them... you will be surprised and excited!! 🧡💜💛
publish_time: '2024-05-11T14:33:02.107706Z'
- author_name: Adriana Segura
author_uri: https://www.google.com/maps/contrib/101196663908047729440/reviews
rating: 5
relative_time_description: a year ago
text: A very interesting space. A public library and bird-related museum. Friendly service from the staff. Easy access
to books and/or work in the reading room.
publish_time: '2024-07-03T21:52:01.528724Z'
- author_name: Marisol López
author_uri: https://www.google.com/maps/contrib/106303190327647861539/reviews
rating: 5
relative_time_description: 5 years ago
text: It has a beautiful collection of stuffed birds, just like the Silver Museum. The place is quiet and pleasant.
The people are very friendly. They offer various training courses that are worth checking out.
publish_time: '2020-02-18T03:38:46.267988Z'
- author_name: Federico Jara
author_uri: https://www.google.com/maps/contrib/100986523235052003317/reviews
rating: 5
relative_time_description: 2 years ago
text: This public library is very good, nice, cool and perfect. Once I went with my mother to that library and we had
a great time and it was also excellent because it has very good and nice books and it also has very nice seats, statues,
ornaments of birds and very pretty birds and the floor and the walls are also very pretty and the women there treated
us very well and with kindness and I really like to go and visit that place and above all it is a wonderful and recommendable
place to visit.
publish_time: '2023-01-14T15:24:22.885758Z'
- author_name: Elizabeth Damiani
author_uri: https://www.google.com/maps/contrib/111673970171549275588/reviews
rating: 5
relative_time_description: 3 years ago
text: A hidden gem. Great atmosphere. A place to learn and grow.
publish_time: '2022-09-07T13:17:20.130555Z'
- author_name: elisabet ramallo
author_uri: https://www.google.com/maps/contrib/108067863882424846203/reviews
rating: 5
relative_time_description: a year ago
text: INTEGRARTE is a space where art lives and our integrated actors shine with the help of Professor Jorge Ruiz... Come
visit them... you will be surprised and excited!! 🧡💜💛
publish_time: '2024-05-11T14:33:02.107706Z'
- author_name: Adriana Segura
author_uri: https://www.google.com/maps/contrib/101196663908047729440/reviews
rating: 5
relative_time_description: a year ago
text: A very interesting space. A public library and bird-related museum. Friendly service from the staff. Easy access
to books and/or work in the reading room.
publish_time: '2024-07-03T21:52:01.528724Z'
- author_name: Marisol López
author_uri: https://www.google.com/maps/contrib/106303190327647861539/reviews
rating: 5
relative_time_description: 5 years ago
text: It has a beautiful collection of stuffed birds, just like the Silver Museum. The place is quiet and pleasant. The
people are very friendly. They offer various training courses that are worth checking out.
publish_time: '2020-02-18T03:38:46.267988Z'
- author_name: Federico Jara
author_uri: https://www.google.com/maps/contrib/100986523235052003317/reviews
rating: 5
relative_time_description: 2 years ago
text: This public library is very good, nice, cool and perfect. Once I went with my mother to that library and we had
a great time and it was also excellent because it has very good and nice books and it also has very nice seats, statues,
ornaments of birds and very pretty birds and the floor and the walls are also very pretty and the women there treated
us very well and with kindness and I really like to go and visit that place and above all it is a wonderful and recommendable
place to visit.
publish_time: '2023-01-14T15:24:22.885758Z'
- author_name: Elizabeth Damiani
author_uri: https://www.google.com/maps/contrib/111673970171549275588/reviews
rating: 5
relative_time_description: 3 years ago
text: A hidden gem. Great atmosphere. A place to learn and grow.
publish_time: '2022-09-07T13:17:20.130555Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 8:00AM7:00PM'
- 'Tuesday: 8:00AM7:00PM'
- 'Wednesday: 8:00AM7:00PM'
- 'Thursday: 8:00AM7:00PM'
- 'Friday: 8:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 8:00AM7:00PM'
- 'Tuesday: 8:00AM7:00PM'
- 'Wednesday: 8:00AM7:00PM'
- 'Thursday: 8:00AM7:00PM'
- 'Friday: 8:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHoyk32Ep2v4tMeSfQ69vE6QJCJSE6xiu9sVxBT52rRl10yp_isEYXs-6nDVPAW7t9kIv-i7nKMH9P_xfoVDkMZ99MRBPsXn9rS2klQLsTqcEYApE5sfNQRHY-u5eBiucIsIua-R4CJ4jub7pBeroc_mVURPHiuH7fmgQI6TAuO8wuPQ_-dz1hE22sfbu8oe-uMBoLzTBBBXA45vkp2kWpZ3nZt5RYw3VL8EWVvVZYb_ULjOpxk0XIXONK4a7QgS-JOZQZOcu5LYMwRXbyP06uISrpL_C-IY08l5sBpEW7sEplds0aTRiw2_ZouihiJ1VmOSWoZch8brTwnUNiaX-Frrj-vTozjihB0CvNQmMp0CVPFaQhR198zpZwr4l8pHJdVriTQzetenwKf9s9ssAv48ySPxSFFhPfcVuya-Ba3vPg
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHqEoO8P-ffkheHkrXSW4XxMm6N2bHQ3Vl8aYPTSXCssmVWruSWLRmliu3iNxMCTRXrWRztuRg0qWHlDVKir9NAUEOTrZ4dTUeNKVAojDOG7X_8ZcL5dUl145Mmx3EIg13BRPq3ACaxFUEClTJUrJG1gLq0csqIoqRcpWyGKbzqzHj0ZQCeabxIMwfl_r9hn42dSLlSHwl_SM69A9OKROdchpyQUj7LfpiXbUF-s_8wbUD2LassbLPDBbOLnuhCi_Vl4mOqbfIvjeXJuA6goLKC6C8yWF2e0jKVLOvyyVDho_9J2nAtb9Qlni0DEP9WsCVl86Ot0tDKh3LNHXN1YFnQ7gI-lNXJARWZS7fyqoe9JxWXySlTVeMozUOQ-LqqcDoS0b9pKjkQ97nJBaXEJcZFQcxfc2iNpxb7gm29kCEqjIA
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHr61bLSpra6MelPQTQUfrm1FE096M6sIVtFwbR4bTSh-bwXs32pemwwJDwevJTys6jcZckAAZzjsiODO1QV1a6SvQeumXqtUVorJIA8aj6zx-yITfyLTEmEdtzpFBHnmqLCVhG9PJchpQtEtPRZmgj92WJLcR29lHVKhqPKOP4kNNM6ZRSzRl16yeNJ9fNN2So3qIpOUsjzi-VwTYZgLHSiNAjm1WmQqytfqKiUBxfULgdLmZQDNt5M_CVkbodsWrafRj3VJGht_1FNCXlTEix8YdqR2_Uk-hxK5wAmFztvcstvpN6vE3r7kVbSFvg3TjsqUKjziQd7V4GBo45vGpeKshU4rZaUah8HD0tkdYwVK4r2UPEgLpbcxzdbk6wGYxcrB-p1GclZvTn6ykCreNXFKe1YSYSPWZhklwEqfFyVHgU
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHptQYAH_IF0Uyku5_tbZi6aPhq-xt0HTWatNovv-efKl7GckxukDKXXDONVgFfHip7KbSG35QqRy9QpviZANltijFPrrT0xzJnP0CVbbbSYxC-lXzFxLtHe_NkmHCXbSE0GTOy7TVtaC8Dbv9OwsXx2n93gutVGxDn8iiPb0DFK8jK4lKv0ViS8iP8xPy9uTN_8MIG7_X2tEQH3o8MBmZcep4A308aJ7mS_RtcXoM_MfdiWF6TMxMikWbzwZVE448OioRy6sJ2h4oI3OiHEGkbY_kfygAqH7hKojOk4PGP1pFA8mwvaI8jmwk2Vsr-qvdv_A2co741QGvM920tt5FbKH1KOERI7C86PCPvcYzpHQZSrqG4jBZxnyMb9GnrhmEnyn7CoGkPhjKeLhHE2oueNx57HeblQ_yLBkllNNO4QHyMG
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHod-KisFVpGxrabWvvzTH3qwN8czciQgT7-ZvUXMThrUpRYcxqAykwZOUJIqFtq5PJzhmUzR8g2k68ea4KKTK5xswbbmYp6Hx_cmFCpfwXOEz_kcC6nvBMqlg9W1syyvWkYeOUckSEEOGLio_7o2VMn9k_Ruvicz5bg_p4pLLKmjL52YkQZILJHM52oFgV625MFxuWGtk9bLeNfeR3Zv6TIJ631B5HOgKbivVSxMOvKoBfaynK-fZa807ySXqEcCEvcwyeIrBGiahBac9nDOgwWihVm8q23LWWSda7QN7TvFn1U2dtWn5wPgWr_F4t1O31Z-xQcwnAv8nPSOnIVlsUYCY6G2YIqny1x5ho1heG_L09B2pMGqD1SAfRhwfNE2WZmDY4G9vRwvshyboXbpfSZ_-zuU42ptffnnQ6ibjjnHg
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHoyk32Ep2v4tMeSfQ69vE6QJCJSE6xiu9sVxBT52rRl10yp_isEYXs-6nDVPAW7t9kIv-i7nKMH9P_xfoVDkMZ99MRBPsXn9rS2klQLsTqcEYApE5sfNQRHY-u5eBiucIsIua-R4CJ4jub7pBeroc_mVURPHiuH7fmgQI6TAuO8wuPQ_-dz1hE22sfbu8oe-uMBoLzTBBBXA45vkp2kWpZ3nZt5RYw3VL8EWVvVZYb_ULjOpxk0XIXONK4a7QgS-JOZQZOcu5LYMwRXbyP06uISrpL_C-IY08l5sBpEW7sEplds0aTRiw2_ZouihiJ1VmOSWoZch8brTwnUNiaX-Frrj-vTozjihB0CvNQmMp0CVPFaQhR198zpZwr4l8pHJdVriTQzetenwKf9s9ssAv48ySPxSFFhPfcVuya-Ba3vPg
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHqEoO8P-ffkheHkrXSW4XxMm6N2bHQ3Vl8aYPTSXCssmVWruSWLRmliu3iNxMCTRXrWRztuRg0qWHlDVKir9NAUEOTrZ4dTUeNKVAojDOG7X_8ZcL5dUl145Mmx3EIg13BRPq3ACaxFUEClTJUrJG1gLq0csqIoqRcpWyGKbzqzHj0ZQCeabxIMwfl_r9hn42dSLlSHwl_SM69A9OKROdchpyQUj7LfpiXbUF-s_8wbUD2LassbLPDBbOLnuhCi_Vl4mOqbfIvjeXJuA6goLKC6C8yWF2e0jKVLOvyyVDho_9J2nAtb9Qlni0DEP9WsCVl86Ot0tDKh3LNHXN1YFnQ7gI-lNXJARWZS7fyqoe9JxWXySlTVeMozUOQ-LqqcDoS0b9pKjkQ97nJBaXEJcZFQcxfc2iNpxb7gm29kCEqjIA
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHr61bLSpra6MelPQTQUfrm1FE096M6sIVtFwbR4bTSh-bwXs32pemwwJDwevJTys6jcZckAAZzjsiODO1QV1a6SvQeumXqtUVorJIA8aj6zx-yITfyLTEmEdtzpFBHnmqLCVhG9PJchpQtEtPRZmgj92WJLcR29lHVKhqPKOP4kNNM6ZRSzRl16yeNJ9fNN2So3qIpOUsjzi-VwTYZgLHSiNAjm1WmQqytfqKiUBxfULgdLmZQDNt5M_CVkbodsWrafRj3VJGht_1FNCXlTEix8YdqR2_Uk-hxK5wAmFztvcstvpN6vE3r7kVbSFvg3TjsqUKjziQd7V4GBo45vGpeKshU4rZaUah8HD0tkdYwVK4r2UPEgLpbcxzdbk6wGYxcrB-p1GclZvTn6ykCreNXFKe1YSYSPWZhklwEqfFyVHgU
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHptQYAH_IF0Uyku5_tbZi6aPhq-xt0HTWatNovv-efKl7GckxukDKXXDONVgFfHip7KbSG35QqRy9QpviZANltijFPrrT0xzJnP0CVbbbSYxC-lXzFxLtHe_NkmHCXbSE0GTOy7TVtaC8Dbv9OwsXx2n93gutVGxDn8iiPb0DFK8jK4lKv0ViS8iP8xPy9uTN_8MIG7_X2tEQH3o8MBmZcep4A308aJ7mS_RtcXoM_MfdiWF6TMxMikWbzwZVE448OioRy6sJ2h4oI3OiHEGkbY_kfygAqH7hKojOk4PGP1pFA8mwvaI8jmwk2Vsr-qvdv_A2co741QGvM920tt5FbKH1KOERI7C86PCPvcYzpHQZSrqG4jBZxnyMb9GnrhmEnyn7CoGkPhjKeLhHE2oueNx57HeblQ_yLBkllNNO4QHyMG
height: 3456
width: 4608
- name: places/ChIJCxZme1Izo5URNhlzpT_xYlU/photos/AZLasHod-KisFVpGxrabWvvzTH3qwN8czciQgT7-ZvUXMThrUpRYcxqAykwZOUJIqFtq5PJzhmUzR8g2k68ea4KKTK5xswbbmYp6Hx_cmFCpfwXOEz_kcC6nvBMqlg9W1syyvWkYeOUckSEEOGLio_7o2VMn9k_Ruvicz5bg_p4pLLKmjL52YkQZILJHM52oFgV625MFxuWGtk9bLeNfeR3Zv6TIJ631B5HOgKbivVSxMOvKoBfaynK-fZa807ySXqEcCEvcwyeIrBGiahBac9nDOgwWihVm8q23LWWSda7QN7TvFn1U2dtWn5wPgWr_F4t1O31Z-xQcwnAv8nPSOnIVlsUYCY6G2YIqny1x5ho1heG_L09B2pMGqD1SAfRhwfNE2WZmDY4G9vRwvshyboXbpfSZ_-zuU42ptffnnQ6ibjjnHg
height: 3456
width: 4608
google_maps_url: https://maps.google.com/?cid=6152745296602536246&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -274,7 +286,7 @@ location:
formatted_address: CAF, Berutti 216, B1870 Avellaneda, Cdad. Autónoma de Buenos Aires, Argentina
normalization_timestamp: '2025-12-09T06:47:53.607409+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Estanislao Zeballos
description: biblioteca popular en San Justo, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -299,20 +311,20 @@ logo_enrichment:
source_url: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:12:57.116360+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/309192560_441071078116718_7880379505687898191_n.jpg?stp=dst-jpg_tt6&cstp=mx1181x1181&ctp=s720x720&_nc_cat=108&ccb=1-7&_nc_sid=3ab345&_nc_ohc=BZ2dEqPjUzsQ7kNvwEC2O9v&_nc_oc=Adni3RVxMev76hhnm4VuNZMY_y7HnypNn6G7VB3QzeMOqL5X7qgKN8sIv01bwqhBbHQ&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=zos5ULVVH0S7mYk7LemXLA&oh=00_AfmuajBlJS_y9aTitdC7BU-Q8DylS3bCnAiVbAI4qmzQww&oe=6955A393
source_url: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:12:57.116360+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:12:57.116360+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/309192560_441071078116718_7880379505687898191_n.jpg?stp=dst-jpg_tt6&cstp=mx1181x1181&ctp=s720x720&_nc_cat=108&ccb=1-7&_nc_sid=3ab345&_nc_ohc=BZ2dEqPjUzsQ7kNvwEC2O9v&_nc_oc=Adni3RVxMev76hhnm4VuNZMY_y7HnypNn6G7VB3QzeMOqL5X7qgKN8sIv01bwqhBbHQ&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=zos5ULVVH0S7mYk7LemXLA&oh=00_AfmuajBlJS_y9aTitdC7BU-Q8DylS3bCnAiVbAI4qmzQww&oe=6955A393
source_url: https://m.facebook.com/bibliotecapopularzeballos/?locale2=es_LA
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:12:57.116360+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -68,7 +68,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:56Z: Maps: PEOPLE LIBRARY OF GENERAL SAN MARTIN (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:20:56Z: Maps: PEOPLE LIBRARY OF GENERAL SAN MARTIN (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:31Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
@ -102,9 +103,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425829+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425829+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -113,8 +117,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular General San Martin
@ -122,9 +126,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425829+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425829+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -132,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425829+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425829+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Cristóbal
@ -142,9 +152,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.425829+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425829+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q122044997
@ -152,9 +165,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q122044997
timestamp: '2025-11-17T17:00:50.425829+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.425829+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -191,7 +207,8 @@ wikidata_enrichment:
instance_of: &id004
- id: Q28564
label: public library
description: free community resource offering access to books, media, and information, promoting literacy and education for all ages
description: free community resource offering access to books, media, and information, promoting literacy and education
for all ages
wikidata_instance_of: *id004
wikidata_location:
located_in_admin_entity: &id006
@ -255,35 +272,35 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/102788109901078836114/reviews
rating: 5
relative_time_description: 2 years ago
text: 'I really liked the way this restaurant is now. It''s a very pleasant atmosphere, with excellent service and a wide menu. I ordered something simple for lunch and it was delicious and not at all simple! Good prices. Highly recommended, I''ll be back. 😃👍🏻
I really liked this restaurant, so my husband and I went for dinner on Saturday, January 28th. The place looks even nicer at night. I just have a few suggestions that could improve the atmosphere. In the back there are tables with armchairs, some beige, typical of fast food places. They are comfortable and give the feeling of intimacy that couples or four friends are looking for. Other armchairs are brown leather living room style, very comfortable but low for the height of the tables used for eating. For me to be comfortable, my husband chose one with a beige armchair on each side and a brown one on the other. I sat on that one. It was very comfortable and soft despite the wear it seemed to have already had, but it was too low to eat comfortably. We wanted to change, but there were no more seats we liked, so we stayed there. We didn''t change seats because my husband is very tall and he would have been uncomfortable at the one I was sitting at, so we ate at that table. Another detail is that they don''t have cloth tablecloths, they put paper placemats which are fine during the day for a coffee, but for lunch or dinner they should have put a tablecloth. We ordered some delicious meat empanadas as a starter, then a grilled meal which was very good and abundant. But when we were waiting for our food, the owner of the place turned up the volume on the TV on the wall next to us because there was a soccer game on. This prevented us from having a normal conversation. He was very inconsiderate to the couples and groups of friends present. The atmosphere has changed and improved, but it seems to still have the essence of the café-bar that was there before, and I didn''t like it. Next time I''ll check to see if there''s any soccer games on before I go back. I won''t lower my rating because the waitress''s service, the food, and the prices are all good.'
text: |-
I really liked the way this restaurant is now. It's a very pleasant atmosphere, with excellent service and a wide menu. I ordered something simple for lunch and it was delicious and not at all simple! Good prices. Highly recommended, I'll be back. 😃👍🏻
I really liked this restaurant, so my husband and I went for dinner on Saturday, January 28th. The place looks even nicer at night. I just have a few suggestions that could improve the atmosphere. In the back there are tables with armchairs, some beige, typical of fast food places. They are comfortable and give the feeling of intimacy that couples or four friends are looking for. Other armchairs are brown leather living room style, very comfortable but low for the height of the tables used for eating. For me to be comfortable, my husband chose one with a beige armchair on each side and a brown one on the other. I sat on that one. It was very comfortable and soft despite the wear it seemed to have already had, but it was too low to eat comfortably. We wanted to change, but there were no more seats we liked, so we stayed there. We didn't change seats because my husband is very tall and he would have been uncomfortable at the one I was sitting at, so we ate at that table. Another detail is that they don't have cloth tablecloths, they put paper placemats which are fine during the day for a coffee, but for lunch or dinner they should have put a tablecloth. We ordered some delicious meat empanadas as a starter, then a grilled meal which was very good and abundant. But when we were waiting for our food, the owner of the place turned up the volume on the TV on the wall next to us because there was a soccer game on. This prevented us from having a normal conversation. He was very inconsiderate to the couples and groups of friends present. The atmosphere has changed and improved, but it seems to still have the essence of the café-bar that was there before, and I didn't like it. Next time I'll check to see if there's any soccer games on before I go back. I won't lower my rating because the waitress's service, the food, and the prices are all good.
publish_time: '2023-01-30T16:47:23.465928Z'
- author_name: Sabrina Vazquez
author_uri: https://www.google.com/maps/contrib/115556464924193403182/reviews
rating: 1
relative_time_description: 4 years ago
text: 'The woman who serves the public is rude and mistreats elderly people.
text: |-
The woman who serves the public is rude and mistreats elderly people.
An elderly woman approached her because she had lost her wallet with her documents and received terrible treatment from her, making her have a very unpleasant experience.
HER ATTITUDE IS AWFUL!!!
She shouldn''t be serving the public because she is not qualified to do so.'
She shouldn't be serving the public because she is not qualified to do so.
publish_time: '2021-08-05T01:04:29.293909Z'
- author_name: Gabriela Montenegro
author_uri: https://www.google.com/maps/contrib/113192070505014336975/reviews
rating: 4
relative_time_description: 2 years ago
text: It is not wheelchair accessible as advertised. The doors cannot be opened wide enough for a wheelchair to enter comfortably because there is a table with books behind one of the doors.
text: It is not wheelchair accessible as advertised. The doors cannot be opened wide enough for a wheelchair to enter
comfortably because there is a table with books behind one of the doors.
publish_time: '2023-03-21T11:29:07.111989Z'
- author_name: Martin Simone
author_uri: https://www.google.com/maps/contrib/100432191328548237776/reviews
rating: 5
relative_time_description: 4 years ago
text: A good library. They have everything, and they do accept donations of books in good condition. I coordinated and delivered two boxes of textbooks without any problem. They were very kind.
text: A good library. They have everything, and they do accept donations of books in good condition. I coordinated and
delivered two boxes of textbooks without any problem. They were very kind.
publish_time: '2021-09-22T22:53:28.741244Z'
- author_name: Moisés Quiñones
author_uri: https://www.google.com/maps/contrib/100455995672178809179/reviews
@ -322,7 +339,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The name is a direct, literal translation of 'Biblioteca Popular General San Martin' to 'PEOPLE LIBRARY OF GENERAL SAN MARTIN'. The type 'library' is an exact match. The city and country in the address (Provincia de Buenos Aires, Argentina) are consistent with the institution's location (AR).
reasoning: The name is a direct, literal translation of 'Biblioteca Popular General San Martin' to 'PEOPLE LIBRARY OF
GENERAL SAN MARTIN'. The type 'library' is an exact match. The city and country in the address (Provincia de Buenos
Aires, Argentina) are consistent with the institution's location (AR).
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -93,9 +93,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:53.051418+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:53.051418+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +107,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Lafinur
@ -113,9 +116,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:53.051418+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:53.051418+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +129,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:53.051418+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:53.051418+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Santa Rosa de Conlara
@ -133,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:53.051418+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:53.051418+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -178,7 +190,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The match is highly likely based on a perfect name match ('Biblioteca Popular Lafinur') and consistent location (the address is in Argentina, matching the 'AR' country code). The type is 'library', which is consistent with the institution's name ('Biblioteca' means library). The high confidence is due to the specific name match in the correct country and a matching type. Slight uncertainty remains without the city or state from the institution data, but the evidence is very strong.
reasoning: The match is highly likely based on a perfect name match ('Biblioteca Popular Lafinur') and consistent location
(the address is in Argentina, matching the 'AR' country code). The type is 'library', which is consistent with the institution's
name ('Biblioteca' means library). The high confidence is due to the specific name match in the correct country and
a matching type. Slight uncertainty remains without the city or state from the institution data, but the evidence is
very strong.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '707'
identifier_url: https://www.conabip.gob.ar/biblioteca/707
- &id001
identifier_scheme: CONABIP
identifier_value: '707'
identifier_url: https://www.conabip.gob.ar/biblioteca/707
locations:
- city: Santa Lucía
region: SAN JUAN
country: AR
latitude: -31.5578
longitude: -68.463133
- city: Santa Lucía
region: SAN JUAN
country: AR
latitude: -31.5578
longitude: -68.463133
processing_timestamp: '2025-12-06T23:36:13.366918+00:00'
ghcid:
ghcid_current: AR-A-SAN-L-BPR
@ -28,29 +28,29 @@ ghcid:
city_code: SAN
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-SAN-L-BPR
valid_from: '2025-12-10T10:00:49.298826+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-SAN-L-BPR
ghcid_numeric: 9586170224356648369
valid_from: '2025-12-06T23:36:13.366918+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-SAN-L-BPR
valid_from: '2025-12-10T10:00:49.298826+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-SAN-L-BPR
ghcid_numeric: 9586170224356648369
valid_from: '2025-12-06T23:36:13.366918+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Rawson
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-SAN-L-BPR
- identifier_scheme: GHCID_UUID
identifier_value: 769c00a5-ad34-5b53-8ad4-47581ea6a334
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 8508eb07-8334-85b1-ba08-72e1e65eea4a
- identifier_scheme: GHCID_NUMERIC
identifier_value: '9586170224356648369'
- identifier_scheme: RECORD_ID
identifier_value: 6c8d1e91-8e12-4cb3-a52c-8d51cae8aab2
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-SAN-L-BPR
- identifier_scheme: GHCID_UUID
identifier_value: 769c00a5-ad34-5b53-8ad4-47581ea6a334
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 8508eb07-8334-85b1-ba08-72e1e65eea4a
- identifier_scheme: GHCID_NUMERIC
identifier_value: '9586170224356648369'
- identifier_scheme: RECORD_ID
identifier_value: 6c8d1e91-8e12-4cb3-a52c-8d51cae8aab2
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:09Z: Maps: Biblioteca Popular Guillermo Rawson (conf: 0.75); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:33Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:09Z: Maps: Biblioteca Popular Guillermo Rawson (conf: 0.75); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:33Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:29Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:04.241658+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.241671+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605243+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605243+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Rawson
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605243+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605243+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Santa Lucía
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605243+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Rawson
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605243+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605243+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Santa Lucía
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605243+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.366918+00:00'
@ -154,81 +166,77 @@ google_maps_enrichment:
phone_local: 0264 425-4114
phone_international: +54 264 425-4114
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.1
total_ratings: 12
reviews:
- author_name: Micaela A. Chiconi P.
author_uri: https://www.google.com/maps/contrib/117234817156111046172/reviews
rating: 5
relative_time_description: 2 years ago
text: 'Great place! It now has air conditioning, so you can study more comfortably in the summer. They have a bathroom,
they make copies, and the people who help you are super friendly. Don''t be afraid to bring your mate 💗
- author_name: Micaela A. Chiconi P.
author_uri: https://www.google.com/maps/contrib/117234817156111046172/reviews
rating: 5
relative_time_description: 2 years ago
text: |-
Great place! It now has air conditioning, so you can study more comfortably in the summer. They have a bathroom, they make copies, and the people who help you are super friendly. Don't be afraid to bring your mate 💗
They offer tutoring classes for the little ones, and that always helps ✨✨
They offer tutoring classes for the little ones, and that always helps ✨✨
They also have a chess club, a play club (board games), a writing club, and a reading club (which attract people of all ages 💗).
They also have a chess club, a play club (board games), a writing club, and a reading club (which attract people of
all ages 💗).
They''ll also be adding a self-defense club on Saturdays ✨✨'
publish_time: '2023-06-11T00:57:25.121110Z'
- author_name: Gabriel Ricorte
author_uri: https://www.google.com/maps/contrib/100351850378279162940/reviews
rating: 5
relative_time_description: 6 months ago
text: Can the bike be stored inside?
publish_time: '2025-06-02T17:51:33.166965Z'
- author_name: Ricardo Lopez
author_uri: https://www.google.com/maps/contrib/117017568786920254907/reviews
rating: 4
relative_time_description: 7 years ago
text: Very good.
publish_time: '2018-07-07T11:16:15.954Z'
- author_name: Maximiliano Martín
author_uri: https://www.google.com/maps/contrib/112566418679133856284/reviews
rating: 5
relative_time_description: a year ago
text:
publish_time: '2024-10-19T23:43:31.729105Z'
- author_name: Silvia Zuñiga
author_uri: https://www.google.com/maps/contrib/108731113848600057280/reviews
rating: 1
relative_time_description: a year ago
text:
publish_time: '2024-02-22T03:25:40.002839Z'
They'll also be adding a self-defense club on Saturdays ✨✨
publish_time: '2023-06-11T00:57:25.121110Z'
- author_name: Gabriel Ricorte
author_uri: https://www.google.com/maps/contrib/100351850378279162940/reviews
rating: 5
relative_time_description: 6 months ago
text: Can the bike be stored inside?
publish_time: '2025-06-02T17:51:33.166965Z'
- author_name: Ricardo Lopez
author_uri: https://www.google.com/maps/contrib/117017568786920254907/reviews
rating: 4
relative_time_description: 7 years ago
text: Very good.
publish_time: '2018-07-07T11:16:15.954Z'
- author_name: Maximiliano Martín
author_uri: https://www.google.com/maps/contrib/112566418679133856284/reviews
rating: 5
relative_time_description: a year ago
text: null
publish_time: '2024-10-19T23:43:31.729105Z'
- author_name: Silvia Zuñiga
author_uri: https://www.google.com/maps/contrib/108731113848600057280/reviews
rating: 1
relative_time_description: a year ago
text: null
publish_time: '2024-02-22T03:25:40.002839Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrVE9m_YoZtsRgEJux_6RfD_uSWvZFVNyyEoB7Qlz1e5OhTevaHQjd8dXajjfs5TN1sSkLCWIhYm1-VTsda-lm_P9iat_x2Kf3xacrvH5KeSpUOePZFtKLvB5kdeShxQkSOyQNzuLUrb4I7rOFfKp_v_zzU1bnz74FKcGE9WXdh8mhROi44ZBiiGlD_xRMWrRRO9gTwJgqLiaxavhuU8213qjMXP2XEpXuFxHjUhff9yh9CX44RXYRV7e5W9wv5D-IwnTh_LPP6dILwgxq1sHK_JlTlIaa82mvhTKS0JpSqlFmISQ_FmT_MqQcCoyzm4SX6kgKh5QqPZ7CnTAiWQjbHG8KDpP3Z-2Vv9UYwdeH6UN0T4KJamij312XU0cLWKfR49oebEF2vk6thZ1IBnPnK6GuhPBSNJwQjLnPTJ85rWsj2
height: 1080
width: 1920
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHp3Zj57M9cGrYfiYNLs9KvH89QzBI2GxWb9ClhK-P8BG3Th0XsJEHNJX33cYCWJuhUFDs_m1_PCkXQzd-Xk_EsHbNBDKfDJYAYkwwy9N_TFg7ATJSNjupPOqyhiFjHDqPTaWM27hxCi4T9a-R2qBQ1AAYocudIixZP5q_lOx4IR3FUlQYdzEUwU-OaaKg1WdlUSaWCTE3Jh-chQCvrcE4oBJHqXny8eUtcYm5NHxeqmgTyC7vyFkZpalmqMQ-ze3vQUTQSvYFp8-LfhAR9acFmA5qNDTy9I2PvWg71fwCHO7IFdk1jMHaYSIV8I62t-BR7XXPURTAymcvOge_CnSp4m7HtLJHEkD51mP5oGRIvMaVoQbeDHn6AuOp4Br0FyonR53_vif2Cn5wnsRSy69Y1LAwS48YBPq4bYNfT6wKqSOA
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHpOotI97VLKXa75zO6g9mFxXIMCRz6xZ67iYGjeAGOemMMpySuseNervW0XFFNCwtEVagUHJACnXcBtMNKcBYRBbZ3A1LOVLpNo-F_OF-DLN3BZvUPAzCd1IKRNgi6YYanhveEBDWRXddXwmUNaRTAfl6seXbPFHHjmpy5PYC96V9Y8MftH_m3mBLJj_atMetzHggU88Gw5PRy5OwcDO0Az1MgxbKFAweUBuJ6kEcxIsSIiz79_JAK3eI6aD1uaVylyNYp8OfkjdL_iaArzKp4CZHMyN2VYrrbV01Sce16mSS8UaD2Zh4Trfc0mLSgzw82eHZRc_eUAPkFLI5h1iHBNXvwKCJyPOrEaQ-FvLNzP94lNd222H3BRnFnjkcNC6ZNDongVBTllInPA9Pm2M34FGBOXklHxpH9EBgJMLmNPMkHJ
height: 4096
width: 2304
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrlMUKzBbPJSxkPUVmizPZcTR3BntY1mAg90Y8U6n51DLRY_jI3HzbF80HqJWHG5pq4DL17fqWFok-OozDdzGpDCxYzflBtVUPg_C36H8EmiYwI69xDRCniQF5Jt_xVZJpSc5Gw4PY9FvgwY3IrQMYDr0zqBAWLmOLdXwAQeIlFyInaHolIsXqjxwHOue79uLB_iAvK-aaPU_EmMDIoE8DYwIZJSTvs_OiZ-_c3UjGtjwom7FGpNqqfSH1j7gmt31K6D4OlKqp746CZT7AsNf2SKcEDEcu8HrrMivT2p6saURm-6BQuRTxuzg6wxws61wRURKYajsBSnCWM7l-VtblTv862lW-tW2u6nBtV-ODetoPuTsGXukNEJkvZqvzkiScDhlymLtTvuSkxudpYSS90Y352IseBxbCJP02C1SDGjZ9Q
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrEHPs7SZJ9Nmw_txINFUj7t4sKAdtPln2jce_NvQaTy66T_9X02jW9-cUKUZcsYvBQ6ifsbUAUslniRVCkxj0GsUJqLsLV1yXMb14LWExM018Mn2JqTtoZuXYOIc7snTAMDIZzgOg2D140uYDGGIK6tFpLUID6EiPI1pWIqTA1UoFaIZcVBiym2rYJ_J3GnTVFChVQuFi6yFEnf5SCd4f0IBo-J4UwjhVn8Uix2oncKNlkg0VCUjCTHWBR5qu5Ki6rNbN-U25du5TD6Wv9COMnqShzBpQDPwd-3JFw4TyTDS9kJJhww8HfUTTM8jEDzHg_AwipnV2Qv4Crooiekxvybd9xIQPVDQ4QXEKVTYjC58Tpv3cN4exkrpkkvgnijvXKWaEhMeHpr5R2vzHeITO61vS8MbKyhmD4fMihI71FaQ
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrVE9m_YoZtsRgEJux_6RfD_uSWvZFVNyyEoB7Qlz1e5OhTevaHQjd8dXajjfs5TN1sSkLCWIhYm1-VTsda-lm_P9iat_x2Kf3xacrvH5KeSpUOePZFtKLvB5kdeShxQkSOyQNzuLUrb4I7rOFfKp_v_zzU1bnz74FKcGE9WXdh8mhROi44ZBiiGlD_xRMWrRRO9gTwJgqLiaxavhuU8213qjMXP2XEpXuFxHjUhff9yh9CX44RXYRV7e5W9wv5D-IwnTh_LPP6dILwgxq1sHK_JlTlIaa82mvhTKS0JpSqlFmISQ_FmT_MqQcCoyzm4SX6kgKh5QqPZ7CnTAiWQjbHG8KDpP3Z-2Vv9UYwdeH6UN0T4KJamij312XU0cLWKfR49oebEF2vk6thZ1IBnPnK6GuhPBSNJwQjLnPTJ85rWsj2
height: 1080
width: 1920
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHp3Zj57M9cGrYfiYNLs9KvH89QzBI2GxWb9ClhK-P8BG3Th0XsJEHNJX33cYCWJuhUFDs_m1_PCkXQzd-Xk_EsHbNBDKfDJYAYkwwy9N_TFg7ATJSNjupPOqyhiFjHDqPTaWM27hxCi4T9a-R2qBQ1AAYocudIixZP5q_lOx4IR3FUlQYdzEUwU-OaaKg1WdlUSaWCTE3Jh-chQCvrcE4oBJHqXny8eUtcYm5NHxeqmgTyC7vyFkZpalmqMQ-ze3vQUTQSvYFp8-LfhAR9acFmA5qNDTy9I2PvWg71fwCHO7IFdk1jMHaYSIV8I62t-BR7XXPURTAymcvOge_CnSp4m7HtLJHEkD51mP5oGRIvMaVoQbeDHn6AuOp4Br0FyonR53_vif2Cn5wnsRSy69Y1LAwS48YBPq4bYNfT6wKqSOA
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHpOotI97VLKXa75zO6g9mFxXIMCRz6xZ67iYGjeAGOemMMpySuseNervW0XFFNCwtEVagUHJACnXcBtMNKcBYRBbZ3A1LOVLpNo-F_OF-DLN3BZvUPAzCd1IKRNgi6YYanhveEBDWRXddXwmUNaRTAfl6seXbPFHHjmpy5PYC96V9Y8MftH_m3mBLJj_atMetzHggU88Gw5PRy5OwcDO0Az1MgxbKFAweUBuJ6kEcxIsSIiz79_JAK3eI6aD1uaVylyNYp8OfkjdL_iaArzKp4CZHMyN2VYrrbV01Sce16mSS8UaD2Zh4Trfc0mLSgzw82eHZRc_eUAPkFLI5h1iHBNXvwKCJyPOrEaQ-FvLNzP94lNd222H3BRnFnjkcNC6ZNDongVBTllInPA9Pm2M34FGBOXklHxpH9EBgJMLmNPMkHJ
height: 4096
width: 2304
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrlMUKzBbPJSxkPUVmizPZcTR3BntY1mAg90Y8U6n51DLRY_jI3HzbF80HqJWHG5pq4DL17fqWFok-OozDdzGpDCxYzflBtVUPg_C36H8EmiYwI69xDRCniQF5Jt_xVZJpSc5Gw4PY9FvgwY3IrQMYDr0zqBAWLmOLdXwAQeIlFyInaHolIsXqjxwHOue79uLB_iAvK-aaPU_EmMDIoE8DYwIZJSTvs_OiZ-_c3UjGtjwom7FGpNqqfSH1j7gmt31K6D4OlKqp746CZT7AsNf2SKcEDEcu8HrrMivT2p6saURm-6BQuRTxuzg6wxws61wRURKYajsBSnCWM7l-VtblTv862lW-tW2u6nBtV-ODetoPuTsGXukNEJkvZqvzkiScDhlymLtTvuSkxudpYSS90Y352IseBxbCJP02C1SDGjZ9Q
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrEHPs7SZJ9Nmw_txINFUj7t4sKAdtPln2jce_NvQaTy66T_9X02jW9-cUKUZcsYvBQ6ifsbUAUslniRVCkxj0GsUJqLsLV1yXMb14LWExM018Mn2JqTtoZuXYOIc7snTAMDIZzgOg2D140uYDGGIK6tFpLUID6EiPI1pWIqTA1UoFaIZcVBiym2rYJ_J3GnTVFChVQuFi6yFEnf5SCd4f0IBo-J4UwjhVn8Uix2oncKNlkg0VCUjCTHWBR5qu5Ki6rNbN-U25du5TD6Wv9COMnqShzBpQDPwd-3JFw4TyTDS9kJJhww8HfUTTM8jEDzHg_AwipnV2Qv4Crooiekxvybd9xIQPVDQ4QXEKVTYjC58Tpv3cN4exkrpkkvgnijvXKWaEhMeHpr5R2vzHeITO61vS8MbKyhmD4fMihI71FaQ
height: 2304
width: 4096
google_maps_url: https://maps.google.com/?cid=337554966182822402&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -276,7 +284,7 @@ location:
formatted_address: Hipólito Yrigoyen 2537 Este, J5411 Santa Lucía, San Juan, Argentina
normalization_timestamp: '2025-12-09T06:47:53.714903+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Rawson
description: biblioteca popular en Santa Lucía, San Juan, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -93,9 +93,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605204+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605204+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +107,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Sociedad Franklin
@ -113,9 +116,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605204+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605204+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +129,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605204+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605204+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Juan
@ -133,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:55.605204+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:55.605204+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -173,25 +185,30 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/107933405766465209601/reviews
rating: 4
relative_time_description: 3 months ago
text: Very beautiful. Very crowded with young people studying and reading. I'd like to know if there are guided tours, stories to tell, or historical objects to explore.
text: Very beautiful. Very crowded with young people studying and reading. I'd like to know if there are guided tours,
stories to tell, or historical objects to explore.
publish_time: '2025-09-02T21:28:13.531561626Z'
- author_name: Jose Colpas
author_uri: https://www.google.com/maps/contrib/102186020540934724297/reviews
rating: 5
relative_time_description: a year ago
text: The library is very beautiful. As a San Juan resident, it's a source of pride that a historic building of this kind is still functioning. The cafeteria isn't out of this world, but it serves its purpose quite well. A highlight is the semita they have for sale; it's delicious.
text: The library is very beautiful. As a San Juan resident, it's a source of pride that a historic building of this kind
is still functioning. The cafeteria isn't out of this world, but it serves its purpose quite well. A highlight is the
semita they have for sale; it's delicious.
publish_time: '2024-03-01T18:09:33.695073Z'
- author_name: macarena serena
author_uri: https://www.google.com/maps/contrib/113401746656480966860/reviews
rating: 5
relative_time_description: 4 months ago
text: The Franklin Library is incredible, it has everything a library needs and more, it has a cafe, it has activities, everything is perfect, if you can go, go.
text: The Franklin Library is incredible, it has everything a library needs and more, it has a cafe, it has activities,
everything is perfect, if you can go, go.
publish_time: '2025-07-25T22:28:22.559811798Z'
- author_name: Ema Soto
author_uri: https://www.google.com/maps/contrib/108356371939103784990/reviews
rating: 3
relative_time_description: 4 years ago
text: I arrived and it was closed. Don't trust the hours listed here. It's only open in the mornings and exclusively for members. It's not yet open to the general public. I appreciate the manager who explained it to me very well.
text: I arrived and it was closed. Don't trust the hours listed here. It's only open in the mornings and exclusively for
members. It's not yet open to the general public. I appreciate the manager who explained it to me very well.
publish_time: '2021-03-18T02:31:39.178324Z'
opening_hours:
open_now: false
@ -224,7 +241,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: 'The match is highly likely. 1) Name similarity is strong: ''Biblioteca Franklin'' (Spanish) is a direct translation of ''Franklin Public Library'' (English). 2) Location is consistent: San Juan, Argentina matches the location derived from the website domain and the Google Maps address. 3) Type is consistent: Both are identified as a library. The Google Maps website (bibliotecafranklin.org.ar) also contains the full name ''Biblioteca Popular Sociedad Franklin'', confirming the match.'
reasoning: 'The match is highly likely. 1) Name similarity is strong: ''Biblioteca Franklin'' (Spanish) is a direct translation
of ''Franklin Public Library'' (English). 2) Location is consistent: San Juan, Argentina matches the location derived
from the website domain and the Google Maps address. 3) Type is consistent: Both are identified as a library. The Google
Maps website (bibliotecafranklin.org.ar) also contains the full name ''Biblioteca Popular Sociedad Franklin'', confirming
the match.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -314,3 +335,51 @@ logo_enrichment:
has_favicon: true
has_og_image: false
favicon_count: 3
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-a-san-l-bpsf/mission-2025
statement_type: mission
statement_text: Desde su fundación, hace más de 150 años, presta servicios de carácter público y gratuito con recursos propios,
garantizando el derecho de todos los ciudadanos a acceder al conocimiento
statement_language: es
source_url: http://bibliotecafranklin.org.ar/historia/
retrieved_on: '2025-12-30T20:45:50.862111+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:46:11.761128+00:00'
extraction_confidence: 0.85
content_hash: sha256-120ujOmYLnA+mQH5GJ4qKsYGSJ//jsZ8x2+Es9CPtag=
prov:
wasDerivedFrom: http://bibliotecafranklin.org.ar/historia/
generatedAtTime: '2025-12-30T20:45:50.862111+00:00'
source_section: Introducción general de la biblioteca
- statement_id: https://nde.nl/ontology/hc/mission/ar-a-san-l-bpsf/vision-2025
statement_type: vision
statement_text: Convertirse en una institución de conocimiento integral que combina recursos tradicionales y digitales para
preservar el patrimonio cultural y facilitar el acceso universal a la información
statement_language: es
source_url: http://bibliotecafranklin.org.ar/historia/
retrieved_on: '2025-12-30T20:45:50.862111+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:46:11.761893+00:00'
extraction_confidence: 0.85
content_hash: sha256-IV6uwGrfIl9WJsYJ7vd6L38llqHoSe83abU5WChkfNY=
prov:
wasDerivedFrom: http://bibliotecafranklin.org.ar/historia/
generatedAtTime: '2025-12-30T20:45:50.862111+00:00'
source_section: Introducción general de la biblioteca
- statement_id: https://nde.nl/ontology/hc/mission/ar-a-san-l-bpsf/goal-2025
statement_type: goal
statement_text: 1. Digitalizar documentos históricos para hacerlos accesibles al público 2. Transformar la biblioteca tradicional
en una biblioteca híbrida que integre lo físico con lo electrónico 3. Preservar documentación valiosa mediante microfilmación
y digitalización 4. Ofrecer actividades culturales y educativas a la comunidad 5. Proporcionar recursos educativos-académicos
en formato electrónico
statement_language: es
source_url: http://bibliotecafranklin.org.ar/historia/
retrieved_on: '2025-12-30T20:45:50.862111+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:46:11.762009+00:00'
extraction_confidence: 0.85
content_hash: sha256-181yAkwYonO/mq9MIWk4oUV9lWTQ4rD853c04o4SGRY=
prov:
wasDerivedFrom: http://bibliotecafranklin.org.ar/historia/
generatedAtTime: '2025-12-30T20:45:50.862111+00:00'
source_section: Introducción general de la biblioteca

View file

@ -93,9 +93,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.427019+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.427019+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +107,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular 9 de Julio
@ -113,9 +116,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.427019+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.427019+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +129,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.427019+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.427019+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Tostado
@ -133,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.427019+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.427019+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -185,11 +197,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100985276929995049133/reviews
rating: 5
relative_time_description: 4 years ago
text: 'One of my favorite places.
That''s where we started teaching the Voice-Over Workshop.
Hybrid format.'
text: |-
One of my favorite places.
That's where we started teaching the Voice-Over Workshop.
Hybrid format.
publish_time: '2021-09-13T03:03:36.287063Z'
- author_name: Alma Naara Medina
author_uri: https://www.google.com/maps/contrib/114930515738305186472/reviews
@ -228,7 +239,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The Google Maps candidate is an excellent match. The name 'Biblioteca Popular 9 de Julio' is an exact match. The address places it in Castelar, Provincia de Buenos Aires, which is consistent with the Argentine 'AR' country code. The Google Maps type is 'library', which perfectly aligns with the 'Biblioteca' (Library) in the institution's name. All primary evidence points to this being the correct institution.
reasoning: The Google Maps candidate is an excellent match. The name 'Biblioteca Popular 9 de Julio' is an exact match.
The address places it in Castelar, Provincia de Buenos Aires, which is consistent with the Argentine 'AR' country code.
The Google Maps type is 'library', which perfectly aligns with the 'Biblioteca' (Library) in the institution's name.
All primary evidence points to this being the correct institution.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -274,7 +288,8 @@ wikidata_enrichment:
description: biblioteca popular en Tostado, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
enrichment_method: manual_wikidata_lookup
notes: 'Note: Google Maps enrichment found wrong library (in Castelar, Buenos Aires). Wikidata Q64337124 is the correct library in Tostado, Santa Fe.'
notes: 'Note: Google Maps enrichment found wrong library (in Castelar, Buenos Aires). Wikidata Q64337124 is the correct
library in Tostado, Santa Fe.'
_provenance:
content_hash:
algorithm: sha256

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '468'
identifier_url: https://www.conabip.gob.ar/biblioteca/468
- &id001
identifier_scheme: CONABIP
identifier_value: '468'
identifier_url: https://www.conabip.gob.ar/biblioteca/468
locations:
- city: Villa Constitución
region: SANTA FE
country: AR
latitude: -33.22545
longitude: -60.332333
- city: Villa Constitución
region: SANTA FE
country: AR
latitude: -33.22545
longitude: -60.332333
processing_timestamp: '2025-12-06T23:36:13.315912+00:00'
ghcid:
ghcid_current: AR-A-VIL-L-BPMP
@ -28,29 +28,29 @@ ghcid:
city_code: VIL
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-A-VIL-L-BPMP
valid_from: '2025-12-10T10:00:49.435876+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-VIL-L-BPMP
ghcid_numeric: 16015638417504723434
valid_from: '2025-12-06T23:36:13.315912+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-A-VIL-L-BPMP
valid_from: '2025-12-10T10:00:49.435876+00:00'
reason: 'Fixed region code: SA -> A (ISO 3166-2:AR)'
- ghcid: AR-SA-VIL-L-BPMP
ghcid_numeric: 16015638417504723434
valid_from: '2025-12-06T23:36:13.315912+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular María Perrissol
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-A-VIL-L-BPMP
- identifier_scheme: GHCID_UUID
identifier_value: 37df4413-ca09-5945-bd8f-12b7233bd553
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: de42fa49-4677-81ea-4b37-4ec17336b898
- identifier_scheme: GHCID_NUMERIC
identifier_value: '16015638417504723434'
- identifier_scheme: RECORD_ID
identifier_value: dd88b6ef-f1a8-4c86-81b7-2753496a0230
- *id001
- identifier_scheme: GHCID
identifier_value: AR-A-VIL-L-BPMP
- identifier_scheme: GHCID_UUID
identifier_value: 37df4413-ca09-5945-bd8f-12b7233bd553
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: de42fa49-4677-81ea-4b37-4ec17336b898
- identifier_scheme: GHCID_NUMERIC
identifier_value: '16015638417504723434'
- identifier_scheme: RECORD_ID
identifier_value: dd88b6ef-f1a8-4c86-81b7-2753496a0230
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:22Z: Maps: Biblioteca Popular Maria Perrissol (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:35Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:30Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:22Z: Maps: Biblioteca Popular Maria Perrissol (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:35Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:30Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:53Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:04.353383+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.353397+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426248+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426248+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,39 +107,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular María Perrissol
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426248+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426248+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Villa Constitución
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:50.426248+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular María Perrissol
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426248+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426248+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Villa Constitución
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:50.426248+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.315912+00:00'
@ -155,57 +167,57 @@ google_maps_enrichment:
phone_international: +54 3400 41-5722
website: https://www.facebook.com/bibliotecapopularmariaperrissol
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 10
reviews:
- author_name: Leo Cabrera
author_uri: https://www.google.com/maps/contrib/107320083843402527036/reviews
rating: 5
relative_time_description: 3 years ago
text: Besides being a piece of local history, it hosts the Villa Viñetas comic artists and illustrators' meeting with
great artists and publishers, which attracts more followers every year, always with free admission.
publish_time: '2022-05-02T13:41:50.281461Z'
- author_name: Alejandro Hugo Fernández
author_uri: https://www.google.com/maps/contrib/107717902888116449321/reviews
rating: 5
relative_time_description: 8 years ago
text: It's part of the city's history. Thousands of us pass through its facilities, whether to consult a book, participate
in a civic meeting, or join in a musical performance.
publish_time: '2017-05-31T12:15:21.254Z'
- author_name: Carla Kowalski
author_uri: https://www.google.com/maps/contrib/101042843871315396260/reviews
rating: 5
relative_time_description: 9 years ago
text: In addition to the library, there is a room for activities. A literary workshop led by Miguel Catala is held once
a month.
publish_time: '2016-10-29T21:11:09.624Z'
- author_name: Claudio Tarantini
author_uri: https://www.google.com/maps/contrib/107251304660256280842/reviews
rating: 4
relative_time_description: 4 years ago
text: I was in the back room, it is spacious, comfortable, has ceiling fans, has mirrors, nice place
publish_time: '2021-12-07T09:42:25.266449Z'
- author_name: Maria Calas Ettomi
author_uri: https://www.google.com/maps/contrib/112901661673740143021/reviews
rating: 5
relative_time_description: 3 years ago
text:
publish_time: '2022-08-18T16:33:14.211522Z'
- author_name: Leo Cabrera
author_uri: https://www.google.com/maps/contrib/107320083843402527036/reviews
rating: 5
relative_time_description: 3 years ago
text: Besides being a piece of local history, it hosts the Villa Viñetas comic artists and illustrators' meeting with
great artists and publishers, which attracts more followers every year, always with free admission.
publish_time: '2022-05-02T13:41:50.281461Z'
- author_name: Alejandro Hugo Fernández
author_uri: https://www.google.com/maps/contrib/107717902888116449321/reviews
rating: 5
relative_time_description: 8 years ago
text: It's part of the city's history. Thousands of us pass through its facilities, whether to consult a book, participate
in a civic meeting, or join in a musical performance.
publish_time: '2017-05-31T12:15:21.254Z'
- author_name: Carla Kowalski
author_uri: https://www.google.com/maps/contrib/101042843871315396260/reviews
rating: 5
relative_time_description: 9 years ago
text: In addition to the library, there is a room for activities. A literary workshop led by Miguel Catala is held once
a month.
publish_time: '2016-10-29T21:11:09.624Z'
- author_name: Claudio Tarantini
author_uri: https://www.google.com/maps/contrib/107251304660256280842/reviews
rating: 4
relative_time_description: 4 years ago
text: I was in the back room, it is spacious, comfortable, has ceiling fans, has mirrors, nice place
publish_time: '2021-12-07T09:42:25.266449Z'
- author_name: Maria Calas Ettomi
author_uri: https://www.google.com/maps/contrib/112901661673740143021/reviews
rating: 5
relative_time_description: 3 years ago
text: null
publish_time: '2022-08-18T16:33:14.211522Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: 9:00AM1:00PM'
- 'Tuesday: 9:00AM1:00PM'
- 'Wednesday: 9:00AM1:00PM'
- 'Thursday: 9:00AM1:00PM'
- 'Friday: 9:00AM1:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 9:00AM1:00PM'
- 'Tuesday: 9:00AM1:00PM'
- 'Wednesday: 9:00AM1:00PM'
- 'Thursday: 9:00AM1:00PM'
- 'Friday: 9:00AM1:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
google_maps_url: https://maps.google.com/?cid=6551362556647649003&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -253,7 +265,7 @@ location:
formatted_address: GSB, Av. San Martín 851, S2919 Villa Constitución, Santa Fe, Argentina
normalization_timestamp: '2025-12-09T06:47:53.812853+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular María Perrissol
description: biblioteca popular en Villa Constitución, Santa Fe, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -278,20 +290,20 @@ logo_enrichment:
source_url: https://www.facebook.com/bibliotecapopularmariaperrissol
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/bibliotecapopularmariaperrissol
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:13:33.759450+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-2.fna.fbcdn.net/v/t39.30808-1/460613333_2978907502258767_479556862457198351_n.jpg?stp=dst-jpg_tt6&cstp=mx687x719&ctp=s687x719&_nc_cat=100&ccb=1-7&_nc_sid=3ab345&_nc_ohc=iRT2WvygjCUQ7kNvwGpoOP2&_nc_oc=Adn6bSwdAmcpEA5IPHdGg5_oOSrzSCqHEQgc6fDVeal_JJ2zFEBTMnIRfk6waQBlg_c&_nc_zt=24&_nc_ht=scontent.frtm1-2.fna&_nc_gid=TJdUxKkyLnrYIrQxtftE8g&oh=00_AfnNYOBVUAadgxh7AHmlJ0lefhpOAnvh5Tuxk0NNtPsf6A&oe=6955A8DB
source_url: https://www.facebook.com/bibliotecapopularmariaperrissol
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:13:33.759450+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/bibliotecapopularmariaperrissol
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:13:33.759450+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-2.fna.fbcdn.net/v/t39.30808-1/460613333_2978907502258767_479556862457198351_n.jpg?stp=dst-jpg_tt6&cstp=mx687x719&ctp=s687x719&_nc_cat=100&ccb=1-7&_nc_sid=3ab345&_nc_ohc=iRT2WvygjCUQ7kNvwGpoOP2&_nc_oc=Adn6bSwdAmcpEA5IPHdGg5_oOSrzSCqHEQgc6fDVeal_JJ2zFEBTMnIRfk6waQBlg_c&_nc_zt=24&_nc_ht=scontent.frtm1-2.fna&_nc_gid=TJdUxKkyLnrYIrQxtftE8g&oh=00_AfnNYOBVUAadgxh7AHmlJ0lefhpOAnvh5Tuxk0NNtPsf6A&oe=6955A8DB
source_url: https://www.facebook.com/bibliotecapopularmariaperrissol
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:13:33.759450+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -90,9 +90,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429312+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429312+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -101,8 +104,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Manuel Láinez
@ -110,9 +113,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429312+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429312+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -120,9 +126,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429312+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429312+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Wheelwright
@ -130,9 +139,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429312+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429312+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -141,7 +153,10 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Biblioteca Popular Gral. Manuel Obligado
rejection_reason: The candidate 'Biblioteca Popular Gral. Manuel Obligado' is not a match for the source 'Biblioteca Popular Manuel Láinez'. The names are significantly different and do not refer to the same institution (Láinez vs. Obligado). While the location is in the same country (Argentina) and the entity type (library) is a correct heritage institution, the name mismatch is a critical failure. This is a different library altogether.
rejection_reason: The candidate 'Biblioteca Popular Gral. Manuel Obligado' is not a match for the source 'Biblioteca Popular
Manuel Láinez'. The names are significantly different and do not refer to the same institution (Láinez vs. Obligado).
While the location is in the same country (Argentina) and the entity type (library) is a correct heritage institution,
the name mismatch is a critical failure. This is a different library altogether.
timestamp: '2025-12-08T18:40:44.373135+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Manuel Láinez official

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:36Z: Maps: Biblioteca Popular Rafael Rodolfo Prigioni (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:21:36Z: Maps: Biblioteca Popular Rafael Rodolfo Prigioni (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:40:45Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:39Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:30Z
@ -93,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838372+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838372+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Rodolfo Prigioni
@ -113,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838372+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838372+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -123,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838372+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838372+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Zenón Pereyra
@ -133,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838372+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838372+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -166,13 +179,12 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/103535486543769306809/reviews
rating: 5
relative_time_description: 6 months ago
text: 'The library was founded on August 4, 1922, as a result of the merger between the Cosmopolitan Mutual Aid Society and the Zenón Pereyra Public Library.
text: |-
The library was founded on August 4, 1922, as a result of the merger between the Cosmopolitan Mutual Aid Society and the Zenón Pereyra Public Library.
The spirit of this institution is to foster diverse cultural and social activities, and specifically to promote reading in print.
Fulfilling its core mission, our library boasts a large number of books available for loan, allowing our readers to enjoy the magic of the written word, including novels of all kinds, self-help books, and more. We also have a significant collection of books and encyclopedias used by our students, providing them with the information they need.'
Fulfilling its core mission, our library boasts a large number of books available for loan, allowing our readers to enjoy the magic of the written word, including novels of all kinds, self-help books, and more. We also have a significant collection of books and encyclopedias used by our students, providing them with the information they need.
publish_time: '2025-06-11T09:56:53.302322615Z'
- author_name: Sandra Peirotti
author_uri: https://www.google.com/maps/contrib/103821181912870962391/reviews
@ -229,7 +241,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The match is highly probable. The names are extremely similar, with the Google Maps name 'Biblioteca Popular Rafael Rodolfo Prigioni' being a more complete version of the institution's name 'Biblioteca Popular Rodolfo Prigioni'. The institution type is a perfect match ('library'). The location is also consistent, as the address is in Zenón Pereyra, Santa Fe, Argentina, which is a valid location for a local institution in the country.
reasoning: The match is highly probable. The names are extremely similar, with the Google Maps name 'Biblioteca Popular
Rafael Rodolfo Prigioni' being a more complete version of the institution's name 'Biblioteca Popular Rodolfo Prigioni'.
The institution type is a perfect match ('library'). The location is also consistent, as the address is in Zenón Pereyra,
Santa Fe, Argentina, which is a valid location for a local institution in the country.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -61,3 +61,50 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.423110+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-alb-m-macrl/mission-2025
statement_type: mission
statement_text: Verspreiding van hedendaagse kunst, bevordering van artistieke activiteiten in de gemeenschap, introductie
van jongeren in de waardering van artistieke werken en verspreiding van het werk van lokale kunstenaars.
statement_language: es
source_url: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
retrieved_on: '2025-12-30T17:37:26.147440+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:37:42.138508+00:00'
extraction_confidence: 0.95
content_hash: sha256-036u2AQ2JQlp4We86K07Ji/e6BNFDhWXX43m/nNra9U=
prov:
wasDerivedFrom: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
generatedAtTime: '2025-12-30T17:37:26.147440+00:00'
source_section: Sobre la asociación
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-alb-m-macrl/vision-2025
statement_type: vision
statement_text: De realisatie van een hedendaagse kunst museum dat werken van Raúl Lozza huisvest en een eigen collectie
hedendaagse kunst heeft.
statement_language: es
source_url: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
retrieved_on: '2025-12-30T17:37:26.147440+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:37:42.138633+00:00'
extraction_confidence: 0.95
content_hash: sha256-CA33cgayTsnlvSZotNesOI6NozaHAUd8QEyRp4qq5Q8=
prov:
wasDerivedFrom: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
generatedAtTime: '2025-12-30T17:37:26.147440+00:00'
source_section: Sobre la asociación
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-alb-m-macrl/goal-2025
statement_type: goal
statement_text: Het creëren van een hedendaagse kunst museum; het verzamelen van een eigen collectie hedendaagse kunstwerken;
het organiseren van tentoonstellingen, cursussen, workshops, conferenties en filmcycli; en het uitvoeren van diverse activiteiten
ter realisatie van de gestelde doelen.
statement_language: es
source_url: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
retrieved_on: '2025-12-30T17:37:26.147440+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:37:42.138785+00:00'
extraction_confidence: 0.95
content_hash: sha256-+m0SiiCtK73O/Z7jAqLYDQv/emVi7MZcoL/byDG4N7U=
prov:
wasDerivedFrom: http://museolozza.com.ar/la-asociacion/sobre-la-asociacion/
generatedAtTime: '2025-12-30T17:37:26.147440+00:00'
source_section: Sobre la asociación

View file

@ -118,9 +118,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294397+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294397+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +132,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Municipal Esteban Adrogué
@ -138,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294397+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294397+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +154,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294397+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294397+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Adrogué
@ -158,9 +167,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294397+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294397+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -192,35 +204,44 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100935420660743717151/reviews
rating: 5
relative_time_description: 2 months ago
text: Excellent service, valuable advice, and outstanding employee willingness. A place that honors the excellent municipal management of Almirante Brown.
text: Excellent service, valuable advice, and outstanding employee willingness. A place that honors the excellent municipal
management of Almirante Brown.
publish_time: '2025-09-27T15:17:44.192105409Z'
- author_name: Aldana Baez
author_uri: https://www.google.com/maps/contrib/107134720015352388256/reviews
rating: 5
relative_time_description: a year ago
text: 'Beautiful place and excellent guide, Sebastián. The reading room was very spacious and quiet, with Wi-Fi and an online catalog.
text: |-
Beautiful place and excellent guide, Sebastián. The reading room was very spacious and quiet, with Wi-Fi and an online catalog.
We are very grateful.
TSB students from ISFDYT 35.'
TSB students from ISFDYT 35.
publish_time: '2024-04-29T19:37:31.130916Z'
- author_name: Gabriel Juarez
author_uri: https://www.google.com/maps/contrib/103488120531588206497/reviews
rating: 5
relative_time_description: a year ago
text: An interesting and extensive bibliographic selection, whether for reference at the headquarters or to join and enjoy reading at home. A literary gathering will be held on the third Friday of each month, with readings tailored to the program. The first gathering focused on microfiction, with local musicians performing alongside authors who read their works.
text: An interesting and extensive bibliographic selection, whether for reference at the headquarters or to join and enjoy
reading at home. A literary gathering will be held on the third Friday of each month, with readings tailored to the
program. The first gathering focused on microfiction, with local musicians performing alongside authors who read their
works.
publish_time: '2024-05-07T16:00:43.970123Z'
- author_name: Leo Broggia
author_uri: https://www.google.com/maps/contrib/111197693178767473609/reviews
rating: 5
relative_time_description: 3 months ago
text: Excellent service from the staff, a very pleasant atmosphere for reading and shared activities. The facility is well-maintained and in impeccable condition. Friendly study groups.
text: Excellent service from the staff, a very pleasant atmosphere for reading and shared activities. The facility is
well-maintained and in impeccable condition. Friendly study groups.
publish_time: '2025-09-03T14:22:45.767350095Z'
- author_name: Humberto de Adrogue
author_uri: https://www.google.com/maps/contrib/117281343240403403941/reviews
rating: 5
relative_time_description: 9 months ago
text: Hello, I'm a resident of Adrogue, and I spent most of my adolescence and student years in this beloved and beloved library, either researching topics to present at the National College of Adrogue or simply expanding my knowledge. I'm a grown man now, but I never fail to pass through the doors of this prestigious library, as well as those of the National College, and feel a tremendous sense of emotion, melancholy, and gratitude toward these beloved institutions. Thanks to them, and also to my own personal efforts, I have received a proper education, for which I am very grateful. Thank you, and see you soon, when I'll visit "my beloved Adrogue Library."
text: Hello, I'm a resident of Adrogue, and I spent most of my adolescence and student years in this beloved and beloved
library, either researching topics to present at the National College of Adrogue or simply expanding my knowledge. I'm
a grown man now, but I never fail to pass through the doors of this prestigious library, as well as those of the National
College, and feel a tremendous sense of emotion, melancholy, and gratitude toward these beloved institutions. Thanks
to them, and also to my own personal efforts, I have received a proper education, for which I am very grateful. Thank
you, and see you soon, when I'll visit "my beloved Adrogue Library."
publish_time: '2025-02-25T15:42:35.822622Z'
opening_hours:
open_now: true
@ -253,7 +274,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The institution name 'Biblioteca Popular Municipal Esteban Adrogué' and the Google Maps name 'Biblioteca Esteban Adrogue' are a strong match, with the Maps name being a common abbreviation. The location is a perfect match; the address is in Adrogué, which is the main city in the municipality of Almirante Brown. The type is also a perfect match, as both are identified as a library.
reasoning: The institution name 'Biblioteca Popular Municipal Esteban Adrogué' and the Google Maps name 'Biblioteca Esteban
Adrogue' are a strong match, with the Maps name being a common abbreviation. The location is a perfect match; the address
is in Adrogué, which is the main city in the municipality of Almirante Brown. The type is also a perfect match, as both
are identified as a library.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -79,3 +79,49 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.508942+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-ave-m-mpb/mission-2025
statement_type: mission
statement_text: El Museo de La Pasión Boquense ofrece a cada visitante la oportunidad única de revivir la rica historia
de más de 110 años del Club
statement_language: nl
source_url: https://museoboquense.com/
retrieved_on: '2025-12-30T17:12:40.050940+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:12:52.259848+00:00'
extraction_confidence: 0.75
content_hash: sha256-EyCitlKjsR/9BYQxyLheKMJ0qN0q31+sacsfh+LZh0A=
prov:
wasDerivedFrom: https://museoboquense.com/
generatedAtTime: '2025-12-30T17:12:40.050940+00:00'
source_section: EL MUSEO
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-ave-m-mpb/vision-2025
statement_type: vision
statement_text: Somos los embajadores del fútbol argentino y su mejor exponente, destacando la inigualable historia del
club
statement_language: nl
source_url: https://museoboquense.com/
retrieved_on: '2025-12-30T17:12:40.050940+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:12:52.259894+00:00'
extraction_confidence: 0.75
content_hash: sha256-TLnI1yP4/hPG54C2krxiRzQ2szCJjR9Y/3tI53UqWrA=
prov:
wasDerivedFrom: https://museoboquense.com/
generatedAtTime: '2025-12-30T17:12:40.050940+00:00'
source_section: EL MUSEO
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-ave-m-mpb/goal-2025
statement_type: goal
statement_text: Proporcionar una propuesta atractiva y entretenida para los visitantes a través de áreas temáticas, exhibiciones
innovadoras y recursos expresivos particulares
statement_language: nl
source_url: https://museoboquense.com/
retrieved_on: '2025-12-30T17:12:40.050940+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:12:52.259909+00:00'
extraction_confidence: 0.75
content_hash: sha256-VfpFu29lTOAmSh/AIZ94VHDF8Il2v4PPZh2doCsG8ck=
prov:
wasDerivedFrom: https://museoboquense.com/
generatedAtTime: '2025-12-30T17:12:40.050940+00:00'
source_section: EL MUSEO

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:06Z: Maps: Biblioteca Popular "Bartolomé J. Ronco" (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:06Z: Maps: Biblioteca Popular "Bartolomé J. Ronco" (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:50:13Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:56:49Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:49Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294244+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294244+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular de Azul Bartolomé J. Ronco
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294244+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294244+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294244+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294244+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Azul
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294244+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294244+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -249,7 +262,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: 'The match is highly certain. 1. Name similarity: The Google Maps name ''Biblioteca Popular \"Bartolomé J. Ronco\"'' is a perfect match for the institution name, with the addition of quotation marks which does not change the identity. 2. Location consistency: The candidate address ''B7300 Azul, Provincia de Buenos Aires, Argentina'' correctly places the location in the city of Azul, Argentina. 3. Type consistency: The Google Maps type ''library'' is a perfect match for the institution type, which is implied to be a library by its name (''Biblioteca'').'
reasoning: 'The match is highly certain. 1. Name similarity: The Google Maps name ''Biblioteca Popular \"Bartolomé J.
Ronco\"'' is a perfect match for the institution name, with the addition of quotation marks which does not change the
identity. 2. Location consistency: The candidate address ''B7300 Azul, Provincia de Buenos Aires, Argentina'' correctly
places the location in the city of Azul, Argentina. 3. Type consistency: The Google Maps type ''library'' is a perfect
match for the institution type, which is implied to be a library by its name (''Biblioteca'').'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:28Z: Maps: Bernardino Rivadavia Popular Library (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:28Z: Maps: Bernardino Rivadavia Popular Library (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:33Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:57Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:18Z: YouTube: not found'
@ -104,9 +105,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294551+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294551+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -115,8 +119,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Asociación Bernardino Rivadavia
@ -124,9 +128,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294551+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294551+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -134,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294551+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294551+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Bahía Blanca
@ -144,9 +154,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294551+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294551+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -178,17 +191,17 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100601122362564927763/reviews
rating: 4
relative_time_description: 4 months ago
text: Today I went to see a play. I thought it was very nice. There should be an elevator and a bathroom for disabled people with help to go up the stairs, and for deaf people, an interpreter to tell the story to the people who are deaf.
text: Today I went to see a play. I thought it was very nice. There should be an elevator and a bathroom for disabled
people with help to go up the stairs, and for deaf people, an interpreter to tell the story to the people who are deaf.
publish_time: '2025-08-02T01:04:27.938845328Z'
- author_name: marta gadpen
author_uri: https://www.google.com/maps/contrib/108159548956376018686/reviews
rating: 5
relative_time_description: 3 years ago
text: 'What a beautiful library!
The guided tour is interesting and entertaining. You can learn about the library''s history, books, and artwork.
I highly recommend it to book lovers.'
text: |-
What a beautiful library!
The guided tour is interesting and entertaining. You can learn about the library's history, books, and artwork.
I highly recommend it to book lovers.
publish_time: '2022-03-18T22:02:55.670578Z'
- author_name: Haydee Redivo
author_uri: https://www.google.com/maps/contrib/104487896391327596221/reviews
@ -200,11 +213,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/115452828974303545044/reviews
rating: 5
relative_time_description: a year ago
text: 'The Bernardino Rivadavia Association Public Library is a non-profit civil institution.
text: |-
The Bernardino Rivadavia Association Public Library is a non-profit civil institution.
It was founded on July 16, 1882, by a group of notable and idealistic foreign and Argentine residents, mostly politicians and professionals: Filippo Caronti, his sons Juan and Luis; Eliseo Casanova, Daniel Cerri, Leónidas Lucero, Octavio Zapiola, Angel Brunel, and others.
It was designed and built specifically for use as a library. It is one of the most beautiful and important palaces in the city.'
It was designed and built specifically for use as a library. It is one of the most beautiful and important palaces in the city.
publish_time: '2024-06-07T22:35:31.540765Z'
- author_name: Maximo Martinazzo
author_uri: https://www.google.com/maps/contrib/106066411036587572362/reviews
@ -243,7 +255,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The match is highly likely. The Google Maps name 'Bernardino Rivadavia Popular Library' is a direct English translation of the institution's name 'Biblioteca Popular Asociación Bernardino Rivadavia'. Both names contain the key element 'Bernardino Rivadavia'. The institution's official website (abrbp.org.ar) corresponds directly to the 'Asociación Bernardino Rivadavia' in the institution's name. The Google Maps 'library' type is a perfect match for 'Biblioteca'. The provided address in Bahía Blanca, Argentina, is consistent with the institution's country code (AR).
reasoning: The match is highly likely. The Google Maps name 'Bernardino Rivadavia Popular Library' is a direct English
translation of the institution's name 'Biblioteca Popular Asociación Bernardino Rivadavia'. Both names contain the key
element 'Bernardino Rivadavia'. The institution's official website (abrbp.org.ar) corresponds directly to the 'Asociación
Bernardino Rivadavia' in the institution's name. The Google Maps 'library' type is a perfect match for 'Biblioteca'.
The provided address in Bahía Blanca, Argentina, is consistent with the institution's country code (AR).
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '1021'
identifier_url: https://www.conabip.gob.ar/biblioteca/1021
- &id001
identifier_scheme: CONABIP
identifier_value: '1021'
identifier_url: https://www.conabip.gob.ar/biblioteca/1021
locations:
- city: Balcarce
region: BUENOS AIRES
country: AR
latitude: -37.845683
longitude: -58.25435
- city: Balcarce
region: BUENOS AIRES
country: AR
latitude: -37.845683
longitude: -58.25435
processing_timestamp: '2025-12-06T23:36:13.457089+00:00'
ghcid:
ghcid_current: AR-B-BAL-L-BPPP
@ -28,29 +28,29 @@ ghcid:
city_code: BAL
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-BAL-L-BPPP
valid_from: '2025-12-10T10:00:35.229144+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-BAL-L-BPPP
ghcid_numeric: 4822067249725916579
valid_from: '2025-12-06T23:36:13.457089+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-BAL-L-BPPP
valid_from: '2025-12-10T10:00:35.229144+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-BAL-L-BPPP
ghcid_numeric: 4822067249725916579
valid_from: '2025-12-06T23:36:13.457089+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Pablo A. Pizzurno
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-BAL-L-BPPP
- identifier_scheme: GHCID_UUID
identifier_value: 5b6dec4a-6e87-5439-bef3-71ed5ad74d2b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 42eb6c9d-7ef5-85a3-54fc-06d317135735
- identifier_scheme: GHCID_NUMERIC
identifier_value: '4822067249725916579'
- identifier_scheme: RECORD_ID
identifier_value: 4d3d4b25-991d-4da2-8ade-9c5083da4077
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-BAL-L-BPPP
- identifier_scheme: GHCID_UUID
identifier_value: 5b6dec4a-6e87-5439-bef3-71ed5ad74d2b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 42eb6c9d-7ef5-85a3-54fc-06d317135735
- identifier_scheme: GHCID_NUMERIC
identifier_value: '4822067249725916579'
- identifier_scheme: RECORD_ID
identifier_value: 4d3d4b25-991d-4da2-8ade-9c5083da4077
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,23 +58,23 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:32Z: Maps: Asociación Biblioteca Popular Pablo A. Pizzurno (conf: 0.95);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:33Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:57Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:18Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:34:50Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:14Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:31Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:09Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:04Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:30Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:24Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:03Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:32Z: Maps: Asociación Biblioteca Popular Pablo A. Pizzurno (conf: 0.95);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:33Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:57Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:18Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:34:50Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:14Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:31Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:09Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:04Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:30Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:24Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:03Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -85,8 +85,8 @@ provenance:
verified_at: '2025-12-28T19:57:04.631696+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.631710+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -98,15 +98,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428979+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428979+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -115,39 +118,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Pablo A. Pizzurno
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428979+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428979+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Balcarce
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428979+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Pablo A. Pizzurno
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428979+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428979+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Balcarce
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428979+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.457089+00:00'
@ -166,80 +178,80 @@ google_maps_enrichment:
phone_international: +54 3471 57-9910
website: http://1145.bepe.ar/
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.9
total_ratings: 9
reviews:
- author_name: maria Ines LABORANTI
author_uri: https://www.google.com/maps/contrib/111390232804395932791/reviews
rating: 5
relative_time_description: 4 years ago
text: If anything defines the quality of an educational institution, regardless of the greater or lesser talent of its
staff, it is the warmth generated by its library. The mistreatment of secretaries who are mistaken for former landlords
is erased when the library is filled with kindness and people skills. Young people gather there before and after school,
books are borrowed incessantly, and teachers come to finish preparing their classes. Today, the use of computers is
also added. Everything is dynamic, leaving behind the sepulchral silence of yesteryear. The library is the emotional
heart of an educational institution. All the challenges that future education in Argentina must face today can and
must be faced by respecting and valuing its library and the staff who maintain, promote, and recreate it, as Ivana
and Ana do. Thank you for so much true learning. Cheers!
publish_time: '2021-11-06T13:03:29.778466Z'
- author_name: Francisco Ariel Cabello.
author_uri: https://www.google.com/maps/contrib/117432274751549882750/reviews
rating: 5
relative_time_description: 3 years ago
text: Public library. Wide variety of books, CDs, DVDs. Prints. Internet. Open three times, Monday through Friday. Located
next to the teacher training school, on Yrigoyen Street in the Block of Lights, downtown. Come join, and return the
📚 so more people can read them. Thank you.
publish_time: '2022-11-01T00:03:38.470202Z'
- author_name: Mauricio Hedman
author_uri: https://www.google.com/maps/contrib/103008837040327348128/reviews
rating: 5
relative_time_description: a year ago
text: Excellent service, a wide variety of books.
publish_time: '2024-01-19T09:55:06.722317Z'
- author_name: Enrique Garello
author_uri: https://www.google.com/maps/contrib/105085932026155441311/reviews
rating: 5
relative_time_description: 6 months ago
text:
publish_time: '2025-06-02T20:49:10.021632912Z'
- author_name: Jose Maria Fernandez
author_uri: https://www.google.com/maps/contrib/109003447103282244272/reviews
rating: 5
relative_time_description: 2 years ago
text:
publish_time: '2023-08-13T16:05:57.647456Z'
- author_name: maria Ines LABORANTI
author_uri: https://www.google.com/maps/contrib/111390232804395932791/reviews
rating: 5
relative_time_description: 4 years ago
text: If anything defines the quality of an educational institution, regardless of the greater or lesser talent of its
staff, it is the warmth generated by its library. The mistreatment of secretaries who are mistaken for former landlords
is erased when the library is filled with kindness and people skills. Young people gather there before and after school,
books are borrowed incessantly, and teachers come to finish preparing their classes. Today, the use of computers is
also added. Everything is dynamic, leaving behind the sepulchral silence of yesteryear. The library is the emotional
heart of an educational institution. All the challenges that future education in Argentina must face today can and must
be faced by respecting and valuing its library and the staff who maintain, promote, and recreate it, as Ivana and Ana
do. Thank you for so much true learning. Cheers!
publish_time: '2021-11-06T13:03:29.778466Z'
- author_name: Francisco Ariel Cabello.
author_uri: https://www.google.com/maps/contrib/117432274751549882750/reviews
rating: 5
relative_time_description: 3 years ago
text: Public library. Wide variety of books, CDs, DVDs. Prints. Internet. Open three times, Monday through Friday. Located
next to the teacher training school, on Yrigoyen Street in the Block of Lights, downtown. Come join, and return the
📚 so more people can read them. Thank you.
publish_time: '2022-11-01T00:03:38.470202Z'
- author_name: Mauricio Hedman
author_uri: https://www.google.com/maps/contrib/103008837040327348128/reviews
rating: 5
relative_time_description: a year ago
text: Excellent service, a wide variety of books.
publish_time: '2024-01-19T09:55:06.722317Z'
- author_name: Enrique Garello
author_uri: https://www.google.com/maps/contrib/105085932026155441311/reviews
rating: 5
relative_time_description: 6 months ago
text: null
publish_time: '2025-06-02T20:49:10.021632912Z'
- author_name: Jose Maria Fernandez
author_uri: https://www.google.com/maps/contrib/109003447103282244272/reviews
rating: 5
relative_time_description: 2 years ago
text: null
publish_time: '2023-08-13T16:05:57.647456Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Tuesday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Wednesday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Thursday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Friday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Tuesday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Wednesday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Thursday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Friday: 8:00AM12:00PM, 1:305:30PM, 6:0011:20PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoZlTLmw3DxeYhKoks_vhf7Zh-_aUR4GMME8dYb9IH1a_rD0_NftAv2LNy0Q3rd6g7UHpjECvhclYE9k6YjtHcOYgjYks04bJOhbswbWVlgLakMyIoN8hBuyyKmNWBnZSUSmerYmlqSftmRcQ8mR9kvt5bqFlGXtDXTBvc_eRDOx82HwdXjcd69p8QmMt_PAQj7iAoxIn5Fey2jgU7X44uuAh9sRbSAhDmgYdzqIEf6LXpw2n53HKnVZY0VydxzIj7c7sZdthvzjhm-2cwGEgx4qPxB0OSaVpfEUgzjX6PfgQ
height: 1333
width: 2006
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHqvjJPEl7Pv40L1oe-4SJrQIKJZEzTakFqRUpLrW_fmcaRGIg_En_Tja54YPP4Q_APZJxfWb9C84-E3npWPhxSSpcitto_nAQZMiwDGc4nKDYs767-elI1dZYnHZYk26DuF-_7-u0j4V8DX7FxeMytDzHqIT8Jkkn8j92VBie_DzO94mn8LD3aOWwWw__93BMQ-4GcK6llHkLMYz8EB1RGNac6Kto6h9odelp3Qutqn3idAog7QP6myo6nFvG0R-QCvbgFNw5-_bRvTSaMk84KszxWUGggPsgV0N3-XC-jxwA
height: 2340
width: 4160
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoTLMoDXB27xBZzbC7hXeXugTj-5goCg43OKo_VbUA1jcv2Y4PbpYgUqYJEqfSxU3j3gx_OZPswwgONzgms83DcFBk1_LgakeMItSdlqCQKieLdY3yz90TeuIPjtFPunTlTKjza-2ub8xnJ_UNJNNtWur6QUr72mDyeIcNZPTyvg4BTF0UCoDIVrJ_KSkLe4XvoliWIG42lgqe-ggEWtRViunZ_scQfoaerakg9v2C2giGlKvfzIXrR5luRwqjdDDV9zMGGXs5SXb6xxXyUVI5mmhz-1e18uR-oVTm0t0YZCSAr6Jmc46gTA7xC0J71CCbRbF5f-V90-QBGoJgq8GwQKw8S53vEjKa4HCQW5-PhYCK8ZMTAJhcZ2XZI5_Q25x2bnTHyotWeMlPk6-8-CChbFThmm34g0ERlBB-NrytqxM4cLZ98tefmLefVsaWi
height: 1792
width: 1842
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoG0WS_kd2RLmkXPHI3hCOpub8IfTJMKMdEMFKViqEQCX3ya8OrPJeeLOT31hoU7U2dnRom66O2EMAZcooWNiLSEFknYVeka98vquHCixQilL7UwLinoCMRufpS8PfQY5mNEwP2Rxl9mAubkF3IQBkKhl2smtziFhztvc3crcr1yrSeEHaviiK532W88UXsP6VY4al3RmXo8UYlMvO0_hRqtdAdgO-iPLhBTuB3_M4a5bpA-CZZW04Rk88YK_zV4cXbDWcJ0SqD8alkg6tnKg4QTtEHBnSNZUxDJ82JILdkzA
height: 540
width: 720
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHp6HABBW-R2yGalR3hyp_OXl9iColUPuxUPiwE98_CrVC1ZpdDSEGRnFmUvzUtW1zWw-6QCdinWczIdhzQFECJ3H9eSl0YaNTZ_pEOhxfS9EWLHUe5vUAhXdQm1fTGhQsMsWImiPhbSsEo2nHUXDbIGfozr39SPRfY3TjHB9DHQpJyY8HVeMlOMlBjC0r-Oq18REv5lC6NP8wNXuk9jBv9DJOYNPpAGBl-DCSCMEjN00uGf2D9ybgGdLnPIuj2tlDAjMzrgk1YqQj3VsrcU-hASpsHbyfnKV6R18FACm4ILMTj0HG30d7_DRKhzCDF0uNWTpcDbrUtNAXUFHFAVfH0YHFLYEmfGS5qg9f5ekax2czs27RANtV8GvDpbebZyoCjos93YmYPSpR5xjMk5u8FJYKBcSj0MIcvkH6K2gEDXLgbDDID83_Gk2ILIX9QP
height: 2641
width: 1842
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoZlTLmw3DxeYhKoks_vhf7Zh-_aUR4GMME8dYb9IH1a_rD0_NftAv2LNy0Q3rd6g7UHpjECvhclYE9k6YjtHcOYgjYks04bJOhbswbWVlgLakMyIoN8hBuyyKmNWBnZSUSmerYmlqSftmRcQ8mR9kvt5bqFlGXtDXTBvc_eRDOx82HwdXjcd69p8QmMt_PAQj7iAoxIn5Fey2jgU7X44uuAh9sRbSAhDmgYdzqIEf6LXpw2n53HKnVZY0VydxzIj7c7sZdthvzjhm-2cwGEgx4qPxB0OSaVpfEUgzjX6PfgQ
height: 1333
width: 2006
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHqvjJPEl7Pv40L1oe-4SJrQIKJZEzTakFqRUpLrW_fmcaRGIg_En_Tja54YPP4Q_APZJxfWb9C84-E3npWPhxSSpcitto_nAQZMiwDGc4nKDYs767-elI1dZYnHZYk26DuF-_7-u0j4V8DX7FxeMytDzHqIT8Jkkn8j92VBie_DzO94mn8LD3aOWwWw__93BMQ-4GcK6llHkLMYz8EB1RGNac6Kto6h9odelp3Qutqn3idAog7QP6myo6nFvG0R-QCvbgFNw5-_bRvTSaMk84KszxWUGggPsgV0N3-XC-jxwA
height: 2340
width: 4160
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoTLMoDXB27xBZzbC7hXeXugTj-5goCg43OKo_VbUA1jcv2Y4PbpYgUqYJEqfSxU3j3gx_OZPswwgONzgms83DcFBk1_LgakeMItSdlqCQKieLdY3yz90TeuIPjtFPunTlTKjza-2ub8xnJ_UNJNNtWur6QUr72mDyeIcNZPTyvg4BTF0UCoDIVrJ_KSkLe4XvoliWIG42lgqe-ggEWtRViunZ_scQfoaerakg9v2C2giGlKvfzIXrR5luRwqjdDDV9zMGGXs5SXb6xxXyUVI5mmhz-1e18uR-oVTm0t0YZCSAr6Jmc46gTA7xC0J71CCbRbF5f-V90-QBGoJgq8GwQKw8S53vEjKa4HCQW5-PhYCK8ZMTAJhcZ2XZI5_Q25x2bnTHyotWeMlPk6-8-CChbFThmm34g0ERlBB-NrytqxM4cLZ98tefmLefVsaWi
height: 1792
width: 1842
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHoG0WS_kd2RLmkXPHI3hCOpub8IfTJMKMdEMFKViqEQCX3ya8OrPJeeLOT31hoU7U2dnRom66O2EMAZcooWNiLSEFknYVeka98vquHCixQilL7UwLinoCMRufpS8PfQY5mNEwP2Rxl9mAubkF3IQBkKhl2smtziFhztvc3crcr1yrSeEHaviiK532W88UXsP6VY4al3RmXo8UYlMvO0_hRqtdAdgO-iPLhBTuB3_M4a5bpA-CZZW04Rk88YK_zV4cXbDWcJ0SqD8alkg6tnKg4QTtEHBnSNZUxDJ82JILdkzA
height: 540
width: 720
- name: places/ChIJUevwx13eyZURFch_zatk2Ns/photos/AZLasHp6HABBW-R2yGalR3hyp_OXl9iColUPuxUPiwE98_CrVC1ZpdDSEGRnFmUvzUtW1zWw-6QCdinWczIdhzQFECJ3H9eSl0YaNTZ_pEOhxfS9EWLHUe5vUAhXdQm1fTGhQsMsWImiPhbSsEo2nHUXDbIGfozr39SPRfY3TjHB9DHQpJyY8HVeMlOMlBjC0r-Oq18REv5lC6NP8wNXuk9jBv9DJOYNPpAGBl-DCSCMEjN00uGf2D9ybgGdLnPIuj2tlDAjMzrgk1YqQj3VsrcU-hASpsHbyfnKV6R18FACm4ILMTj0HG30d7_DRKhzCDF0uNWTpcDbrUtNAXUFHFAVfH0YHFLYEmfGS5qg9f5ekax2czs27RANtV8GvDpbebZyoCjos93YmYPSpR5xjMk5u8FJYKBcSj0MIcvkH6K2gEDXLgbDDID83_Gk2ILIX9QP
height: 2641
width: 1842
google_maps_url: https://maps.google.com/?cid=15841522378325608469&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -288,7 +300,7 @@ location:
formatted_address: Hipólito Yrigoyen 272, S2500 Cañada de Gomez, Santa Fe, Argentina
normalization_timestamp: '2025-12-09T06:47:48.260635+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Pablo A. Pizzurno
description: biblioteca popular en Balcarce, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -81,3 +81,50 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.716330+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-bde-m-t/mission-2025
statement_type: mission
statement_text: Protegemos juntos la naturaleza.
statement_language: es
source_url: https://www.temaiken.org.ar/quienes-somos
retrieved_on: '2025-12-30T17:35:50.869135+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:36:06.532794+00:00'
extraction_confidence: 0.95
content_hash: sha256-H2xyAUmhWJMAIxvLrAMo2BmQbCBqxkV8ZEpMfQksyhc=
prov:
wasDerivedFrom: https://www.temaiken.org.ar/quienes-somos
generatedAtTime: '2025-12-30T17:35:50.869135+00:00'
source_section: NUESTRA MISIÓN, NUESTRA VISIÓN, Nuestros Objetivos
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-bde-m-t/vision-2025
statement_type: vision
statement_text: Que todos los seres vivos podamos convivir armónicamente en nuestro planeta.
statement_language: es
source_url: https://www.temaiken.org.ar/quienes-somos
retrieved_on: '2025-12-30T17:35:50.869135+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:36:06.532865+00:00'
extraction_confidence: 0.95
content_hash: sha256-YnVD/oLiml8AaKudARZzddl0JHc1We/FbNIoEMW4GKw=
prov:
wasDerivedFrom: https://www.temaiken.org.ar/quienes-somos
generatedAtTime: '2025-12-30T17:35:50.869135+00:00'
source_section: NUESTRA MISIÓN, NUESTRA VISIÓN, Nuestros Objetivos
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-bde-m-t/goal-2025
statement_type: goal
statement_text: La recuperación de especies amenazadas a través de la reinserción de fauna y flora autóctona; la creación,
conservación y restauración de ecosistemas, la reconexión de las personas con la naturaleza a través de experiencias que
inspiren el cuidado de la naturaleza, la investigación y la promoción de políticas públicas y alianzas intersectoriales.
Proteger la naturaleza con pasión y perseverancia. Buscar la mejora permanente y nuevos desafíos. Trabajar con responsabilidad,
honestidad y transparencia.
statement_language: es
source_url: https://www.temaiken.org.ar/quienes-somos
retrieved_on: '2025-12-30T17:35:50.869135+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:36:06.533423+00:00'
extraction_confidence: 0.95
content_hash: sha256-NLAGJVCoZC7QR++kY3Qel2Xn2xZqlq5EazjktQVD7yg=
prov:
wasDerivedFrom: https://www.temaiken.org.ar/quienes-somos
generatedAtTime: '2025-12-30T17:35:50.869135+00:00'
source_section: NUESTRA MISIÓN, NUESTRA VISIÓN, Nuestros Objetivos

View file

@ -3,45 +3,45 @@ original_entry:
institution_type: MIXED
source: CH-Annotator (latin_american_institutions_AUTHORITATIVE_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: Website
identifier_value: https://biblioteca.clacso.edu.ar/
identifier_url: https://biblioteca.clacso.edu.ar/
- &id002
identifier_scheme: Website
identifier_value: https://biblioteca-repositorio.clacso.edu.ar/
identifier_url: https://biblioteca-repositorio.clacso.edu.ar/
- &id003
identifier_scheme: Website
identifier_value: http://lanic.utexas.edu/
identifier_url: http://lanic.utexas.edu/
- &id004
identifier_scheme: Website
identifier_value: https://dataverse.tdl.org/dataverse/lanic
identifier_url: https://dataverse.tdl.org/dataverse/lanic
- identifier_scheme: GHCID
identifier_value: AR-B-BUE-M-CVL
- identifier_scheme: GHCID_NUMERIC
identifier_value: '16062600927807327690'
- &id005
identifier_scheme: OLD_ID
identifier_value: https://w3id.org/heritage/custodian/mx/m-clacso-virtual-libraries-0116
- identifier_scheme: GHCID_UUID
identifier_value: 5aa51fdd-44a9-5d62-82a5-a78a07359e97
identifier_url: urn:uuid:5aa51fdd-44a9-5d62-82a5-a78a07359e97
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dee9d270-c6d0-8dca-bea2-5b7db3daf3aa
identifier_url: urn:uuid:dee9d270-c6d0-8dca-bea2-5b7db3daf3aa
- identifier_scheme: RECORD_ID
identifier_value: 019a58fd-3229-73c1-92fc-f84cc6eeded4
identifier_url: urn:uuid:019a58fd-3229-73c1-92fc-f84cc6eeded4
- &id006
identifier_scheme: OLD_ID
identifier_value: 16062600927807327690
- &id001
identifier_scheme: Website
identifier_value: https://biblioteca.clacso.edu.ar/
identifier_url: https://biblioteca.clacso.edu.ar/
- &id002
identifier_scheme: Website
identifier_value: https://biblioteca-repositorio.clacso.edu.ar/
identifier_url: https://biblioteca-repositorio.clacso.edu.ar/
- &id003
identifier_scheme: Website
identifier_value: http://lanic.utexas.edu/
identifier_url: http://lanic.utexas.edu/
- &id004
identifier_scheme: Website
identifier_value: https://dataverse.tdl.org/dataverse/lanic
identifier_url: https://dataverse.tdl.org/dataverse/lanic
- identifier_scheme: GHCID
identifier_value: AR-B-BUE-M-CVL
- identifier_scheme: GHCID_NUMERIC
identifier_value: '16062600927807327690'
- &id005
identifier_scheme: OLD_ID
identifier_value: https://w3id.org/heritage/custodian/mx/m-clacso-virtual-libraries-0116
- identifier_scheme: GHCID_UUID
identifier_value: 5aa51fdd-44a9-5d62-82a5-a78a07359e97
identifier_url: urn:uuid:5aa51fdd-44a9-5d62-82a5-a78a07359e97
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dee9d270-c6d0-8dca-bea2-5b7db3daf3aa
identifier_url: urn:uuid:dee9d270-c6d0-8dca-bea2-5b7db3daf3aa
- identifier_scheme: RECORD_ID
identifier_value: 019a58fd-3229-73c1-92fc-f84cc6eeded4
identifier_url: urn:uuid:019a58fd-3229-73c1-92fc-f84cc6eeded4
- &id006
identifier_scheme: OLD_ID
identifier_value: 16062600927807327690
locations:
- city: Buenos Aires
region: Buenos Aires
country: AR
- city: Buenos Aires
region: Buenos Aires
country: AR
processing_timestamp: '2025-12-06T23:39:02.335069+00:00'
ghcid:
ghcid_current: AR-B-BUE-X-CVL
@ -57,34 +57,34 @@ ghcid:
city_code: BUE
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-BUE-X-CVL
valid_from: '2025-12-10T10:00:35.294795+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-BUE-X-CVL
ghcid_numeric: 14232108502531001571
valid_from: '2025-12-06T23:39:02.335069+00:00'
reason: Initial GHCID from CH-Annotator (latin_american_institutions_AUTHORITATIVE_ch_annotator.yaml)
- ghcid: AR-B-BUE-X-CVL
valid_from: '2025-12-10T10:00:35.294795+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-BUE-X-CVL
ghcid_numeric: 14232108502531001571
valid_from: '2025-12-06T23:39:02.335069+00:00'
reason: Initial GHCID from CH-Annotator (latin_american_institutions_AUTHORITATIVE_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: CLACSO Virtual Libraries
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-BUE-X-CVL
- identifier_scheme: GHCID_UUID
identifier_value: fe335186-7596-51d6-9299-ef955065c6a0
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: c5829b47-322d-8ce3-bbcc-baffc50ee760
- identifier_scheme: GHCID_NUMERIC
identifier_value: '14232108502531001571'
- identifier_scheme: RECORD_ID
identifier_value: 76a43cba-3ba5-4cc4-a6fd-34add6ce7699
- *id001
- *id002
- *id003
- *id004
- *id005
- *id006
- identifier_scheme: GHCID
identifier_value: AR-B-BUE-X-CVL
- identifier_scheme: GHCID_UUID
identifier_value: fe335186-7596-51d6-9299-ef955065c6a0
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: c5829b47-322d-8ce3-bbcc-baffc50ee760
- identifier_scheme: GHCID_NUMERIC
identifier_value: '14232108502531001571'
- identifier_scheme: RECORD_ID
identifier_value: 76a43cba-3ba5-4cc4-a6fd-34add6ce7699
- *id001
- *id002
- *id003
- *id004
- *id005
- *id006
provenance:
data_source: CONVERSATION_NLP
data_tier: TIER_4_INFERRED
@ -92,22 +92,22 @@ provenance:
extraction_method: 'Created from CH-Annotator file: latin_american_institutions_AUTHORITATIVE_ch_annotator.yaml'
confidence_score: 0.9
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:33Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:35Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:59Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:20Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:34:52Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:15Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:32Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:10Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:05Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:48Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:31Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:25Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:04Z: Maps: not found; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:33Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:35Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:05:59Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:20Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:34:52Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:15Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:32Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:10Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:05Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:48Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:31Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:25Z: Maps: not found; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:04Z: Maps: not found; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -115,8 +115,8 @@ provenance:
verified_at: '2025-12-28T19:57:04.769475+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:04.769488+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -128,15 +128,17 @@ ch_annotator:
subtype_label: MIXED
ontology_class: glam:HeritageCustodian
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /conversations/mixed
timestamp: '2025-11-06T07:54:59.620786+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-06T07:54:59.620786+00:00'
statement_created_at: '2025-12-30T21:23:22.676632+00:00'
migration_note: Migrated from agent:claude-conversation on 2025-12-30 (ch_annotator.extraction_provenance)
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:56.173868+00:00'
@ -145,49 +147,57 @@ ch_annotator:
annotation_metadata:
confidence_score: 0.9
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: CLACSO Virtual Libraries
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /conversations/mixed
timestamp: '2025-11-06T07:54:59.620786+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: institution_type
claim_value: MIXED
property_uri: rdf:type
provenance:
namespace: glam
path: /conversations/mixed
timestamp: '2025-11-06T07:54:59.620786+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Buenos Aires
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /conversations/mixed
timestamp: '2025-11-06T07:54:59.620786+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: ghcid
claim_value: AR-B-BUE-M-CVL
property_uri: glam:ghcid
provenance:
namespace: glam
path: /conversations/mixed
timestamp: '2025-11-06T07:54:59.620786+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: full_name
claim_value: CLACSO Virtual Libraries
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /conversations/mixed
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-06T07:54:59.620786+00:00'
statement_created_at: '2025-12-30T21:23:22.676643+00:00'
migration_note: Migrated from agent:claude-conversation on 2025-12-30 (entity_claims[0].provenance)
confidence: 0.9
- claim_type: institution_type
claim_value: MIXED
property_uri: rdf:type
provenance:
namespace: glam
path: /conversations/mixed
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-06T07:54:59.620786+00:00'
statement_created_at: '2025-12-30T21:23:22.676645+00:00'
migration_note: Migrated from agent:claude-conversation on 2025-12-30 (entity_claims[1].provenance)
confidence: 0.95
- claim_type: located_in_city
claim_value: Buenos Aires
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /conversations/mixed
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-06T07:54:59.620786+00:00'
statement_created_at: '2025-12-30T21:23:22.676647+00:00'
migration_note: Migrated from agent:claude-conversation on 2025-12-30 (entity_claims[2].provenance)
confidence: 0.9
- claim_type: ghcid
claim_value: AR-B-BUE-M-CVL
property_uri: glam:ghcid
provenance:
namespace: glam
path: /conversations/mixed
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-06T07:54:59.620786+00:00'
statement_created_at: '2025-12-30T21:23:22.676649+00:00'
migration_note: Migrated from agent:claude-conversation on 2025-12-30 (entity_claims[3].provenance)
confidence: 1.0
integration_note:
created_from: latin_american_institutions_AUTHORITATIVE_ch_annotator.yaml
creation_date: '2025-12-06T23:39:02.335069+00:00'
@ -210,7 +220,7 @@ location:
geocoding_timestamp: '2025-12-09T21:41:53.886265+00:00'
geocoding_method: CITY_NAME_LOOKUP
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: CLACSO Virtual Libraries
description: red de bibliotecas virtuales en Buenos Aires, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:20Z: Maps: Biblioteca Popular Almafuerte (conf: 1.00); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:20Z: Maps: Biblioteca Popular Almafuerte (conf: 1.00); YouTube: no verified
match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:50:27Z: YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:56:59Z: YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:50Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294702+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294702+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Almafuerte
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294702+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294702+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294702+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294702+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Azul
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294702+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294702+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -191,13 +204,13 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111419841529189335032/reviews
rating: 5
relative_time_description: 3 weeks ago
text:
text: null
publish_time: '2025-11-17T02:49:30.086362450Z'
- author_name: Fran Gomez
author_uri: https://www.google.com/maps/contrib/113018338840807767456/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-04-06T15:38:37.025442Z'
opening_hours:
open_now: false
@ -230,7 +243,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The Google Maps candidate is a perfect match. 1. The names are identical. 2. The address confirms the location is in Cacharí, Buenos Aires, Argentina, matching the institution's city and country. 3. The 'library' type is a perfect match for a 'Biblioteca'.
reasoning: The Google Maps candidate is a perfect match. 1. The names are identical. 2. The address confirms the location
is in Cacharí, Buenos Aires, Argentina, matching the institution's city and country. 3. The 'library' type is a perfect
match for a 'Biblioteca'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -115,9 +115,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428745+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428745+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -126,8 +129,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Biblioteca Almafuerte
@ -135,9 +138,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428745+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428745+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -145,9 +151,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428745+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428745+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Capitán Sarmiento
@ -155,9 +164,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.428745+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.428745+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -166,7 +178,8 @@ ch_annotator:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Biblioteca Popular Almafuerte
rejection_reason: Name is similar, but location is a mismatch. The source is in Capitán Sarmiento, Argentina, while the candidate is in Bahía Blanca, Argentina.
rejection_reason: Name is similar, but location is a mismatch. The source is in Capitán Sarmiento, Argentina, while the
candidate is in Bahía Blanca, Argentina.
timestamp: '2025-12-08T18:58:00.106383+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Biblioteca Almafuerte official

View file

@ -104,9 +104,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952535+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952535+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -115,8 +118,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Cervantes
@ -124,9 +127,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952535+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952535+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -134,9 +140,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952535+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952535+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Carmen de Patagones
@ -144,9 +153,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952535+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952535+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -183,19 +195,21 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116058374927861400977/reviews
rating: 5
relative_time_description: 6 years ago
text:
text: null
publish_time: '2019-08-31T16:55:10.321436Z'
- author_name: Yesica Pisciotto
author_uri: https://www.google.com/maps/contrib/114875066616095222339/reviews
rating: 4
relative_time_description: 6 years ago
text:
text: null
publish_time: '2019-04-20T15:41:49.790510Z'
google_maps_url: https://maps.google.com/?cid=4287085979226665112&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
confidence: 0.85
reasoning: The name matches exactly. The address is in Carmen de Patagones, Argentina, which, while not specified in the institution data, is a valid location in the country. The 'library' type is a perfect match for a 'Biblioteca'. There is no conflicting information.
reasoning: The name matches exactly. The address is in Carmen de Patagones, Argentina, which, while not specified in the
institution data, is a valid location in the country. The 'library' type is a perfect match for a 'Biblioteca'. There
is no conflicting information.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:45Z: Maps: Biblioteca Popular Adolfo Alsina (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:00:45Z: Maps: Biblioteca Popular Adolfo Alsina (conf: 0.90); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:37Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:01Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:22Z: YouTube: not found'
@ -104,9 +105,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294346+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294346+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -115,8 +119,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Pública Adolfo Alsina
@ -124,9 +128,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294346+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294346+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -134,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294346+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294346+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Carhue
@ -144,9 +154,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294346+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294346+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -195,13 +208,13 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/107402337117377017421/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-12-01T20:33:34.290382Z'
- author_name: Ana Maria Urrutia
author_uri: https://www.google.com/maps/contrib/101666974889243543658/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-09-01T15:28:39.086416Z'
opening_hours:
open_now: false
@ -231,7 +244,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The names are a very close match, with only the word 'Pública' (Public) being omitted in the Google Maps name, which is a common variation. The address places the candidate in Carhué, Buenos Aires Province, Argentina, matching the institution's country (AR). The type 'library' is a perfect match for the institution's type.
reasoning: The names are a very close match, with only the word 'Pública' (Public) being omitted in the Google Maps name,
which is a common variation. The address places the candidate in Carhué, Buenos Aires Province, Argentina, matching
the institution's country (AR). The type 'library' is a perfect match for the institution's type.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:38Z: Maps: Biblioteca Popular Roque Saenz Pe a (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:44:38Z: Maps: Biblioteca Popular Roque Saenz Pe a (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:50:41Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:13Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:54Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873246+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873246+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Roque Saénz Peña
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873246+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873246+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873246+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873246+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Carlos Tejedor
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873246+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873246+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -193,7 +206,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: 'The match is highly confident. 1. Name similarity: The names are identical, with only minor character encoding differences in the candidate (''Roque Saenz Pe a'' vs ''Roque Saénz Peña''), which is common in data sources. 2. Location consistency: Both specify Carlos Tejedor as the city and Argentina as the country. The candidate provides a specific address within that city, confirming the location. 3. Type consistency: The institution is a library, and the Google Maps candidate is explicitly typed as ''library''. All three criteria are met with high certainty.'
reasoning: 'The match is highly confident. 1. Name similarity: The names are identical, with only minor character encoding
differences in the candidate (''Roque Saenz Pe a'' vs ''Roque Saénz Peña''), which is common in data sources. 2. Location
consistency: Both specify Carlos Tejedor as the city and Argentina as the country. The candidate provides a specific
address within that city, confirming the location. 3. Type consistency: The institution is a library, and the Google
Maps candidate is explicitly typed as ''library''. All three criteria are met with high certainty.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:06Z: Maps: Biblioteca Popular J B Alberdi (conf: 0.95); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:06Z: Maps: Biblioteca Popular J B Alberdi (conf: 0.95); YouTube: no verified
match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:50:51Z: YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:22Z: YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:54Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294802+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294802+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Juan Bautista Alberdi
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294802+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294802+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294802+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294802+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Caseros
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294802+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294802+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -198,19 +211,25 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/102112532004486209539/reviews
rating: 4
relative_time_description: 2 months ago
text: A very complete public library, bringing culture to the entire neighborhood. The people in charge are super friendly, and the place is very pleasant. It's recommended to join and borrow books, as there are many workshops open to the community during the day, and if you're picky like me, it can sometimes be difficult to concentrate.
text: A very complete public library, bringing culture to the entire neighborhood. The people in charge are super friendly,
and the place is very pleasant. It's recommended to join and borrow books, as there are many workshops open to the community
during the day, and if you're picky like me, it can sometimes be difficult to concentrate.
publish_time: '2025-10-05T01:34:51.753730765Z'
- author_name: Matias Djemdjemian
author_uri: https://www.google.com/maps/contrib/100744214951653561859/reviews
rating: 5
relative_time_description: a month ago
text: We come on Saturdays for private tutoring. The school offers a wide variety of books and a spacious space, is clean and tidy, and offers excellent service. Highly recommended for anyone who wants to come and pick up a book or do one of the various activities.
text: We come on Saturdays for private tutoring. The school offers a wide variety of books and a spacious space, is clean
and tidy, and offers excellent service. Highly recommended for anyone who wants to come and pick up a book or do one
of the various activities.
publish_time: '2025-10-11T14:59:28.243109959Z'
- author_name: Cintia Silva
author_uri: https://www.google.com/maps/contrib/108393009333540907113/reviews
rating: 5
relative_time_description: 6 years ago
text: Excellent service! It has a spacious reading room with a warm pine floor; it's heated in winter and cool in summer thanks to its high ceilings. There are computers with internet access. In addition to reading in the reading room, members can borrow books. There's also a hall available for rent for events, complete with an outdoor grill and a raised stage.
text: Excellent service! It has a spacious reading room with a warm pine floor; it's heated in winter and cool in summer
thanks to its high ceilings. There are computers with internet access. In addition to reading in the reading room, members
can borrow books. There's also a hall available for rent for events, complete with an outdoor grill and a raised stage.
publish_time: '2019-02-12T16:34:57.789051Z'
- author_name: Eclipsia Sweet cream
author_uri: https://www.google.com/maps/contrib/106781450062063951294/reviews
@ -249,7 +268,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The names are a very close match, with the Google Maps name 'Biblioteca Popular J B Alberdi' being a standard abbreviation of 'Biblioteca Popular Juan Bautista Alberdi'. The Google Maps address places the institution in Caseros, Buenos Aires, Argentina, which is a precise match for the given city and country. Finally, the 'library' type specified by Google Maps is consistent with the institution's name 'Biblioteca' (Spanish for 'library'). The website provides further evidence of a direct match.
reasoning: The names are a very close match, with the Google Maps name 'Biblioteca Popular J B Alberdi' being a standard
abbreviation of 'Biblioteca Popular Juan Bautista Alberdi'. The Google Maps address places the institution in Caseros,
Buenos Aires, Argentina, which is a precise match for the given city and country. Finally, the 'library' type specified
by Google Maps is consistent with the institution's name 'Biblioteca' (Spanish for 'library'). The website provides
further evidence of a direct match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -65,7 +65,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:02Z: Maps: PEOPLE LIBRARY OF GENERAL SAN MARTIN (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:02Z: Maps: PEOPLE LIBRARY OF GENERAL SAN MARTIN (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:42Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:07Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:30Z: YouTube: not found'
@ -106,9 +107,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873435+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873435+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -117,8 +121,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular de Gral. San Martín
@ -126,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873435+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873435+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -136,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.873435+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.873435+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -169,35 +179,35 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/102788109901078836114/reviews
rating: 5
relative_time_description: 2 years ago
text: 'I really liked the way this restaurant is now. It''s a very pleasant atmosphere, with excellent service and a wide menu. I ordered something simple for lunch and it was delicious and not at all simple! Good prices. Highly recommended, I''ll be back. 😃👍🏻
I really liked this restaurant, so my husband and I went for dinner on Saturday, January 28th. The place looks even nicer at night. I just have a few suggestions that could improve the atmosphere. In the back there are tables with armchairs, some beige, typical of fast food places. They are comfortable and give the feeling of intimacy that couples or four friends are looking for. Other armchairs are brown leather living room style, very comfortable but low for the height of the tables used for eating. For me to be comfortable, my husband chose one with a beige armchair on each side and a brown one on the other. I sat on that one. It was very comfortable and soft despite the wear it seemed to have already had, but it was too low to eat comfortably. We wanted to change, but there were no more seats we liked, so we stayed there. We didn''t change seats because my husband is very tall and he would have been uncomfortable at the one I was sitting at, so we ate at that table. Another detail is that they don''t have cloth tablecloths, they put paper placemats which are fine during the day for a coffee, but for lunch or dinner they should have put a tablecloth. We ordered some delicious meat empanadas as a starter, then a grilled meal which was very good and abundant. But when we were waiting for our food, the owner of the place turned up the volume on the TV on the wall next to us because there was a soccer game on. This prevented us from having a normal conversation. He was very inconsiderate to the couples and groups of friends present. The atmosphere has changed and improved, but it seems to still have the essence of the café-bar that was there before, and I didn''t like it. Next time I''ll check to see if there''s any soccer games on before I go back. I won''t lower my rating because the waitress''s service, the food, and the prices are all good.'
text: |-
I really liked the way this restaurant is now. It's a very pleasant atmosphere, with excellent service and a wide menu. I ordered something simple for lunch and it was delicious and not at all simple! Good prices. Highly recommended, I'll be back. 😃👍🏻
I really liked this restaurant, so my husband and I went for dinner on Saturday, January 28th. The place looks even nicer at night. I just have a few suggestions that could improve the atmosphere. In the back there are tables with armchairs, some beige, typical of fast food places. They are comfortable and give the feeling of intimacy that couples or four friends are looking for. Other armchairs are brown leather living room style, very comfortable but low for the height of the tables used for eating. For me to be comfortable, my husband chose one with a beige armchair on each side and a brown one on the other. I sat on that one. It was very comfortable and soft despite the wear it seemed to have already had, but it was too low to eat comfortably. We wanted to change, but there were no more seats we liked, so we stayed there. We didn't change seats because my husband is very tall and he would have been uncomfortable at the one I was sitting at, so we ate at that table. Another detail is that they don't have cloth tablecloths, they put paper placemats which are fine during the day for a coffee, but for lunch or dinner they should have put a tablecloth. We ordered some delicious meat empanadas as a starter, then a grilled meal which was very good and abundant. But when we were waiting for our food, the owner of the place turned up the volume on the TV on the wall next to us because there was a soccer game on. This prevented us from having a normal conversation. He was very inconsiderate to the couples and groups of friends present. The atmosphere has changed and improved, but it seems to still have the essence of the café-bar that was there before, and I didn't like it. Next time I'll check to see if there's any soccer games on before I go back. I won't lower my rating because the waitress's service, the food, and the prices are all good.
publish_time: '2023-01-30T16:47:23.465928Z'
- author_name: Sabrina Vazquez
author_uri: https://www.google.com/maps/contrib/115556464924193403182/reviews
rating: 1
relative_time_description: 4 years ago
text: 'The woman who serves the public is rude and mistreats elderly people.
text: |-
The woman who serves the public is rude and mistreats elderly people.
An elderly woman approached her because she had lost her wallet with her documents and received terrible treatment from her, making her have a very unpleasant experience.
HER ATTITUDE IS AWFUL!!!
She shouldn''t be serving the public because she is not qualified to do so.'
She shouldn't be serving the public because she is not qualified to do so.
publish_time: '2021-08-05T01:04:29.293909Z'
- author_name: Gabriela Montenegro
author_uri: https://www.google.com/maps/contrib/113192070505014336975/reviews
rating: 4
relative_time_description: 2 years ago
text: It is not wheelchair accessible as advertised. The doors cannot be opened wide enough for a wheelchair to enter comfortably because there is a table with books behind one of the doors.
text: It is not wheelchair accessible as advertised. The doors cannot be opened wide enough for a wheelchair to enter
comfortably because there is a table with books behind one of the doors.
publish_time: '2023-03-21T11:29:07.111989Z'
- author_name: Martin Simone
author_uri: https://www.google.com/maps/contrib/100432191328548237776/reviews
rating: 5
relative_time_description: 4 years ago
text: A good library. They have everything, and they do accept donations of books in good condition. I coordinated and delivered two boxes of textbooks without any problem. They were very kind.
text: A good library. They have everything, and they do accept donations of books in good condition. I coordinated and
delivered two boxes of textbooks without any problem. They were very kind.
publish_time: '2021-09-22T22:53:28.741244Z'
- author_name: Moisés Quiñones
author_uri: https://www.google.com/maps/contrib/100455995672178809179/reviews
@ -236,7 +246,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: 'The Google Maps candidate is a very strong match. 1) Name: ''PEOPLE LIBRARY OF GENERAL SAN MARTIN'' is a direct, literal translation of the Spanish ''Biblioteca Popular de Gral. San Martín''. 2) Location: The candidate is in ''San Martín'', Partido de General San Martín, within the province of Buenos Aires, which is the correct and extensive metropolitan area for the city ''Ciudad del Libertador General San Martín''. The specific address is plausible for a library in that area. 3) Type: The candidate is listed as a ''library'', which is a perfect match for ''Biblioteca''.'
reasoning: 'The Google Maps candidate is a very strong match. 1) Name: ''PEOPLE LIBRARY OF GENERAL SAN MARTIN'' is a direct,
literal translation of the Spanish ''Biblioteca Popular de Gral. San Martín''. 2) Location: The candidate is in ''San
Martín'', Partido de General San Martín, within the province of Buenos Aires, which is the correct and extensive metropolitan
area for the city ''Ciudad del Libertador General San Martín''. The specific address is plausible for a library in that
area. 3) Type: The candidate is listed as a ''library'', which is a perfect match for ''Biblioteca''.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -278,7 +292,9 @@ youtube_enrichment:
is_match: true
confidence: 0.7
entity_type: GRP.HER
reasoning: The channel title 'Biblioteca san martin' is a close and likely common-language match for 'Biblioteca Popular de Gral. San Martín'. The channel's low activity (1 video, 0 subscribers) is consistent with a small, local public library's official presence. There are no signals (like personal content or a different location) to suggest it is not official.
reasoning: The channel title 'Biblioteca san martin' is a close and likely common-language match for 'Biblioteca Popular
de Gral. San Martín'. The channel's low activity (1 video, 0 subscribers) is consistent with a small, local public library's
official presence. There are no signals (like personal content or a different location) to suggest it is not official.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -316,7 +332,7 @@ location:
feature_code: PPLA2
normalization_timestamp: '2025-12-09T06:47:48.824152+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular de Gral. San Martín
description: biblioteca popular en Ciudad del Libertador General San Martín, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '222'
identifier_url: https://www.conabip.gob.ar/biblioteca/222
- &id001
identifier_scheme: CONABIP
identifier_value: '222'
identifier_url: https://www.conabip.gob.ar/biblioteca/222
locations:
- city: Chacabuco
region: BUENOS AIRES
country: AR
latitude: -34.60505
longitude: -60.066883
- city: Chacabuco
region: BUENOS AIRES
country: AR
latitude: -34.60505
longitude: -60.066883
processing_timestamp: '2025-12-06T23:34:13.135469+00:00'
ghcid:
ghcid_current: AR-B-CHA-L-BPGR
@ -32,25 +32,25 @@ ghcid:
city_code: CHA
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-CHA-L-BPGR
valid_from: '2025-12-10T10:00:35.875068+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-CHA-L-BPGR
ghcid_numeric: 6851227395906454843
valid_from: '2025-12-06T23:34:13.135469+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-CHA-L-BPGR
valid_from: '2025-12-10T10:00:35.875068+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-CHA-L-BPGR
ghcid_numeric: 6851227395906454843
valid_from: '2025-12-06T23:34:13.135469+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-CHA-L-BPGR
- identifier_scheme: GHCID_UUID
identifier_value: af7b14a0-62e1-5915-bff0-c23509c79309
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 5f147304-686d-853b-9f00-5c7f1d3c037c
- identifier_scheme: GHCID_NUMERIC
identifier_value: '6851227395906454843'
- identifier_scheme: RECORD_ID
identifier_value: a9ff106f-4069-4fc5-999c-a76a68bebd6d
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-CHA-L-BPGR
- identifier_scheme: GHCID_UUID
identifier_value: af7b14a0-62e1-5915-bff0-c23509c79309
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 5f147304-686d-853b-9f00-5c7f1d3c037c
- identifier_scheme: GHCID_NUMERIC
identifier_value: '6851227395906454843'
- identifier_scheme: RECORD_ID
identifier_value: a9ff106f-4069-4fc5-999c-a76a68bebd6d
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,23 +58,23 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:06Z: Maps: Biblioteca Popular Guillermo Rawson (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:43Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:07Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:31Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:35:01Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:27Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:40Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:36Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:13Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:56Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:39Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:33Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:12Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:06Z: Maps: Biblioteca Popular Guillermo Rawson (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:43Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:07Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:31Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:35:01Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:27Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:40Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:36Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:13Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:56Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:55:39Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:33Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:59:12Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:24Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:48Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -85,8 +85,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.003381+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.003394+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -98,15 +98,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872253+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872253+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -115,39 +118,48 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Guillermo Rawson
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872253+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872253+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Chacabuco
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872253+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Guillermo Rawson
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872253+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872253+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Chacabuco
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872253+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.135469+00:00'
@ -165,81 +177,77 @@ google_maps_enrichment:
phone_local: 0264 425-4114
phone_international: +54 264 425-4114
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.1
total_ratings: 12
reviews:
- author_name: Micaela A. Chiconi P.
author_uri: https://www.google.com/maps/contrib/117234817156111046172/reviews
rating: 5
relative_time_description: 2 years ago
text: 'Great place! It now has air conditioning, so you can study more comfortably in the summer. They have a bathroom,
they make copies, and the people who help you are super friendly. Don''t be afraid to bring your mate 💗
- author_name: Micaela A. Chiconi P.
author_uri: https://www.google.com/maps/contrib/117234817156111046172/reviews
rating: 5
relative_time_description: 2 years ago
text: |-
Great place! It now has air conditioning, so you can study more comfortably in the summer. They have a bathroom, they make copies, and the people who help you are super friendly. Don't be afraid to bring your mate 💗
They offer tutoring classes for the little ones, and that always helps ✨✨
They offer tutoring classes for the little ones, and that always helps ✨✨
They also have a chess club, a play club (board games), a writing club, and a reading club (which attract people of all ages 💗).
They also have a chess club, a play club (board games), a writing club, and a reading club (which attract people of
all ages 💗).
They''ll also be adding a self-defense club on Saturdays ✨✨'
publish_time: '2023-06-11T00:57:25.121110Z'
- author_name: Gabriel Ricorte
author_uri: https://www.google.com/maps/contrib/100351850378279162940/reviews
rating: 5
relative_time_description: 6 months ago
text: Can the bike be stored inside?
publish_time: '2025-06-02T17:51:33.166965Z'
- author_name: Ricardo Lopez
author_uri: https://www.google.com/maps/contrib/117017568786920254907/reviews
rating: 4
relative_time_description: 7 years ago
text: Very good.
publish_time: '2018-07-07T11:16:15.954Z'
- author_name: Maximiliano Martín
author_uri: https://www.google.com/maps/contrib/112566418679133856284/reviews
rating: 5
relative_time_description: a year ago
text:
publish_time: '2024-10-19T23:43:31.729105Z'
- author_name: Silvia Zuñiga
author_uri: https://www.google.com/maps/contrib/108731113848600057280/reviews
rating: 1
relative_time_description: a year ago
text:
publish_time: '2024-02-22T03:25:40.002839Z'
They'll also be adding a self-defense club on Saturdays ✨✨
publish_time: '2023-06-11T00:57:25.121110Z'
- author_name: Gabriel Ricorte
author_uri: https://www.google.com/maps/contrib/100351850378279162940/reviews
rating: 5
relative_time_description: 6 months ago
text: Can the bike be stored inside?
publish_time: '2025-06-02T17:51:33.166965Z'
- author_name: Ricardo Lopez
author_uri: https://www.google.com/maps/contrib/117017568786920254907/reviews
rating: 4
relative_time_description: 7 years ago
text: Very good.
publish_time: '2018-07-07T11:16:15.954Z'
- author_name: Maximiliano Martín
author_uri: https://www.google.com/maps/contrib/112566418679133856284/reviews
rating: 5
relative_time_description: a year ago
text: null
publish_time: '2024-10-19T23:43:31.729105Z'
- author_name: Silvia Zuñiga
author_uri: https://www.google.com/maps/contrib/108731113848600057280/reviews
rating: 1
relative_time_description: a year ago
text: null
publish_time: '2024-02-22T03:25:40.002839Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHr27QK_fEHNJclTLlJDA0ClEq3PraiNq5UfdQKMW6kcvK98QQbEjwpHfNNlcrIsQajmIxPzaoL2egcuCLhivd9RFjE79fQdNGNkB28s7JNmWodZwuPhEYLIC6IIaxW-PiwWEArbFRQrVlGIlQCSZ5UqZGPTBpvlhH6HVcxUyhpYBwc3mYFXIAeIzcZpfusX2pFzjZUucLg3YaTU5ZKPvBHSVF6xTTaAtdfXpFE7Z-EzAx-pTqlowwyubPqPTTee_xAlX7Xq4_9IyMFX-HrRn1QkcSjgOgyfTErpdIaKNLtOAnQshb2QwQ9MGRTjpujY_aJcdrClzoMKen7w61Uo-eiQsQU6LzIt11eQc68d1PWAyc16vhZBTWmJPjsWQdOmlLI0JwtWnrk5RtPzswh4s2PsTcR_XGpyFmYHoyzVx6GVK9Ss
height: 1080
width: 1920
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHqBzs-g4AIKK3qshEAJtFnXwlFiiAAr3IMytqso4qN7lVyr5a_8WKkC8NXB0eahpxs4mox5yE1n4P-v0jgXrE0qfk4XKUWZedVemnXywDXUNhsjUb-9s0gjteK1twotoXPjH_zR0QqLIeFgB2fq_vgkQUlVak3Ixo2kTyjca-qXQoNWmBC1UVpodQE9joCamf48ieE1CZJgY6Isf6hgucmuJKuhoWy5ahB98IUWdZPXhIqqh-q8j72xtwriOpye8GEFQUmSjPtJqWg_GhWIGylbvihcgNUCFi7sNRl9NSZxhd2ZsTb3B7xu_Ge_Ps6P-Pknx_0C7yBXejgiZag8SAePiaXzChAJ6Cz5w7mLpIBUW7LVz0vyVmis5uwpRQWdx9FxkkXfbzIeqxmTRJUUZ_ScGOyDM5m_26S0YWZXsjyFUQ
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrx5fT2-mPodU7rtp7DKpJMEEIqgEwEO_93sUhG0QA55yOVDKj3Z88ctz9Mc-cXCwmaBpQIZx2FE5UTTJ-g4C9rKe89dDAeXSgbzUo3lFHfT8QBpQdJKq3-F4ilDAmVD1jSqiEHO3d7u35pkzWPHGHF1v3vTnwFT79H0HyksBpf-ylKFNWlSdECRdJ4kygx8Cj-BS4sRvoxHRxfKUj_bsJUrSgLsDk8AVqHD8MwiMt27M565OkyUmNzeLqBGvf3YGVaHJtFNsnRYzLWLU70QEozWKKPvgdrba25C2Jnl44_-BaycIFlElMOI7yVBXdAnDYBGn0lBH0fCpNGOJ--8LFvG7AX0EgdJGLCbvXUhGL62HWGQT4kFe8jz-HLHIeR3TME-zwERhh7gQX7jj3Nc4_Xw8D3vKSjhRZS5vYA095us01z
height: 4096
width: 2304
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrTlN3IYpcSNuwRDnMQF5HjKHrgII7TdKVJITuZmXwgO97zy-fMOIm2Xm-CzS4EB7dOhnGYd9Tsf3BI5rCJza_OBRg4AszwP4IG-s_tZOUkZgF9MmcyFFQFSLkHbs3xxZHzWl4kZvVAMCOX5U6Snk1Y-tbPghJnFn7bj477ifg25UBYEJem757DHr70_3-CgGQ1Ha-t7UXr-ojktRJfanNqqF0vPfmXiRG2Jgh-_rlzjh5upSMp6luPY-WWAn_yi79H2KYsA91UhirQnLnJyUvzRHMMzAmeE8ACtlztYaja1lZ3bz45MTnDB8164WTvEpqS1qwZmMfa8cUWjEgqZh2ymfcPqtNeJY1MDFCpVAvJjp4eYG8Nq7FQqTmwrbqTJVd538SvnFv3Ftp9DHfoOA_hnVWneIu7f4dyoiR3WojHRa_5
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHosOYYucp0l_bhX9Ue1GcKdT2AhJy-Xfsv94ijddTIqUieLZLi3A7hKG7G2_rFO1es4X0RCkb1OOPdWWOzR5AYqQ187OyJW4eTScFnqeUDOmIDFbhhoyOI5J1ZvvHcaj3Rg8vNkt_iJ0Z8oTouCU9V8S0iln52LvQKadIKpgK-cteUTD9HCqb6eJEzH2B0GZ7fe7VfVZlHOSvHC87qIBZm6UdeNm1bzq7yjln4TFCd0KeH0Za93vU620KEUncrYI-zL5Y-xq20jxPhKd70Nxbb0GFes_XnGIHgYGPoiZbAV3itCGjzBgiksf3xPuj-NvHHJPpA7HkKo2LWzhlHDaG-Jjzw0In3vziss1Vml6MhF3LvnhbHhCb-NpX4bzTxwlwddL1HOPZZkoo85kLiXex4fieZ1pZ06nabH1hVgUiQI3Q
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHr27QK_fEHNJclTLlJDA0ClEq3PraiNq5UfdQKMW6kcvK98QQbEjwpHfNNlcrIsQajmIxPzaoL2egcuCLhivd9RFjE79fQdNGNkB28s7JNmWodZwuPhEYLIC6IIaxW-PiwWEArbFRQrVlGIlQCSZ5UqZGPTBpvlhH6HVcxUyhpYBwc3mYFXIAeIzcZpfusX2pFzjZUucLg3YaTU5ZKPvBHSVF6xTTaAtdfXpFE7Z-EzAx-pTqlowwyubPqPTTee_xAlX7Xq4_9IyMFX-HrRn1QkcSjgOgyfTErpdIaKNLtOAnQshb2QwQ9MGRTjpujY_aJcdrClzoMKen7w61Uo-eiQsQU6LzIt11eQc68d1PWAyc16vhZBTWmJPjsWQdOmlLI0JwtWnrk5RtPzswh4s2PsTcR_XGpyFmYHoyzVx6GVK9Ss
height: 1080
width: 1920
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHqBzs-g4AIKK3qshEAJtFnXwlFiiAAr3IMytqso4qN7lVyr5a_8WKkC8NXB0eahpxs4mox5yE1n4P-v0jgXrE0qfk4XKUWZedVemnXywDXUNhsjUb-9s0gjteK1twotoXPjH_zR0QqLIeFgB2fq_vgkQUlVak3Ixo2kTyjca-qXQoNWmBC1UVpodQE9joCamf48ieE1CZJgY6Isf6hgucmuJKuhoWy5ahB98IUWdZPXhIqqh-q8j72xtwriOpye8GEFQUmSjPtJqWg_GhWIGylbvihcgNUCFi7sNRl9NSZxhd2ZsTb3B7xu_Ge_Ps6P-Pknx_0C7yBXejgiZag8SAePiaXzChAJ6Cz5w7mLpIBUW7LVz0vyVmis5uwpRQWdx9FxkkXfbzIeqxmTRJUUZ_ScGOyDM5m_26S0YWZXsjyFUQ
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrx5fT2-mPodU7rtp7DKpJMEEIqgEwEO_93sUhG0QA55yOVDKj3Z88ctz9Mc-cXCwmaBpQIZx2FE5UTTJ-g4C9rKe89dDAeXSgbzUo3lFHfT8QBpQdJKq3-F4ilDAmVD1jSqiEHO3d7u35pkzWPHGHF1v3vTnwFT79H0HyksBpf-ylKFNWlSdECRdJ4kygx8Cj-BS4sRvoxHRxfKUj_bsJUrSgLsDk8AVqHD8MwiMt27M565OkyUmNzeLqBGvf3YGVaHJtFNsnRYzLWLU70QEozWKKPvgdrba25C2Jnl44_-BaycIFlElMOI7yVBXdAnDYBGn0lBH0fCpNGOJ--8LFvG7AX0EgdJGLCbvXUhGL62HWGQT4kFe8jz-HLHIeR3TME-zwERhh7gQX7jj3Nc4_Xw8D3vKSjhRZS5vYA095us01z
height: 4096
width: 2304
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHrTlN3IYpcSNuwRDnMQF5HjKHrgII7TdKVJITuZmXwgO97zy-fMOIm2Xm-CzS4EB7dOhnGYd9Tsf3BI5rCJza_OBRg4AszwP4IG-s_tZOUkZgF9MmcyFFQFSLkHbs3xxZHzWl4kZvVAMCOX5U6Snk1Y-tbPghJnFn7bj477ifg25UBYEJem757DHr70_3-CgGQ1Ha-t7UXr-ojktRJfanNqqF0vPfmXiRG2Jgh-_rlzjh5upSMp6luPY-WWAn_yi79H2KYsA91UhirQnLnJyUvzRHMMzAmeE8ACtlztYaja1lZ3bz45MTnDB8164WTvEpqS1qwZmMfa8cUWjEgqZh2ymfcPqtNeJY1MDFCpVAvJjp4eYG8Nq7FQqTmwrbqTJVd538SvnFv3Ftp9DHfoOA_hnVWneIu7f4dyoiR3WojHRa_5
height: 2304
width: 4096
- name: places/ChIJfbmsx-lqgZYRAgJ_C3Q8rwQ/photos/AZLasHosOYYucp0l_bhX9Ue1GcKdT2AhJy-Xfsv94ijddTIqUieLZLi3A7hKG7G2_rFO1es4X0RCkb1OOPdWWOzR5AYqQ187OyJW4eTScFnqeUDOmIDFbhhoyOI5J1ZvvHcaj3Rg8vNkt_iJ0Z8oTouCU9V8S0iln52LvQKadIKpgK-cteUTD9HCqb6eJEzH2B0GZ7fe7VfVZlHOSvHC87qIBZm6UdeNm1bzq7yjln4TFCd0KeH0Za93vU620KEUncrYI-zL5Y-xq20jxPhKd70Nxbb0GFes_XnGIHgYGPoiZbAV3itCGjzBgiksf3xPuj-NvHHJPpA7HkKo2LWzhlHDaG-Jjzw0In3vziss1Vml6MhF3LvnhbHhCb-NpX4bzTxwlwddL1HOPZZkoo85kLiXex4fieZ1pZ06nabH1hVgUiQI3Q
height: 2304
width: 4096
google_maps_url: https://maps.google.com/?cid=337554966182822402&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -287,7 +295,7 @@ location:
formatted_address: Hipólito Yrigoyen 2537 Este, J5411 Santa Lucía, San Juan, Argentina
normalization_timestamp: '2025-12-09T06:47:48.876018+00:00'
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Guillermo Rawson
description: biblioteca popular en Chacabuco, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:11Z: Maps: Biblioteca Popular de Chivilcoy (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:11Z: Maps: Biblioteca Popular de Chivilcoy (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:50:52Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:23Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:55Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294650+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294650+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Dr. Antonio Novaro
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294650+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294650+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294650+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294650+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Chivilcoy
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294650+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294650+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -192,7 +205,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111668335757600849229/reviews
rating: 5
relative_time_description: 4 months ago
text: Beautiful place. Great variety of textbooks, novels for teens and adults...you can also go there to study and do homework.
text: Beautiful place. Great variety of textbooks, novels for teens and adults...you can also go there to study and do
homework.
publish_time: '2025-07-21T20:43:03.293606207Z'
- author_name: Estudio NOVO
author_uri: https://www.google.com/maps/contrib/100947039373485737835/reviews
@ -204,13 +218,15 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/103406423068295944179/reviews
rating: 5
relative_time_description: 6 years ago
text: Being a member of the Biblioteca Popular allows you to read as many books as you want per month for a very affordable fee. Excellent service and assistance for the elections.
text: Being a member of the Biblioteca Popular allows you to read as many books as you want per month for a very affordable
fee. Excellent service and assistance for the elections.
publish_time: '2019-04-03T12:05:26.228244Z'
- author_name: Dina Luján Destasio
author_uri: https://www.google.com/maps/contrib/111578909071448879967/reviews
rating: 5
relative_time_description: 5 years ago
text: I've been a member since I was 12. And I've always received excellent service. It's a pleasant place, with the most qualified staff and a human quality that gives satisfaction every time you go.
text: I've been a member since I was 12. And I've always received excellent service. It's a pleasant place, with the most
qualified staff and a human quality that gives satisfaction every time you go.
publish_time: '2020-04-01T11:48:03.568489Z'
- author_name: Antonio Tarazona
author_uri: https://www.google.com/maps/contrib/116472568247460828476/reviews
@ -249,7 +265,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The institution name is very similar, with the Google Maps candidate using a common regional variation. The location is a perfect match as both are in Chivilcoy, Argentina. The type is also consistent as the candidate is identified as a library. The website link on the Google Maps candidate (www.bibliotecanovaro.com.ar) directly references the institution's full name, providing strong confirmation.
reasoning: The institution name is very similar, with the Google Maps candidate using a common regional variation. The
location is a perfect match as both are in Chivilcoy, Argentina. The type is also consistent as the candidate is identified
as a library. The website link on the Google Maps candidate (www.bibliotecanovaro.com.ar) directly references the institution's
full name, providing strong confirmation.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -61,3 +61,35 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.257865+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-dia-m-melp/mission-2025
statement_type: mission
statement_text: El Museo que lleva su nombre en homenaje al escultor argentino Luis Perlotti tiene como misión preservar,
difundir y promover la producción y recepción de la escultura argentina en general y del artista homónimo en particular.
statement_language: es
source_url: https://www.buenosaires.gob.ar/museos/museo-de-esculturas-luis-perlotti/el-museo
retrieved_on: '2025-12-30T20:42:11.140351+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:42:19.855532+00:00'
extraction_confidence: 0.95
content_hash: sha256-IfCDkzY9Wh+v4yr9r460v+5C+hLWQsLLjuccA7n9wfg=
prov:
wasDerivedFrom: https://www.buenosaires.gob.ar/museos/museo-de-esculturas-luis-perlotti/el-museo
generatedAtTime: '2025-12-30T20:42:11.140351+00:00'
source_section: El Museo / Información General
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-dia-m-melp/goal-2025
statement_type: goal
statement_text: Periódicamente, el 'Perlotti' organiza jornadas de artistas plásticos trabajando frente al público, concursos
de bocetos escultóricos y croquis, y exposiciones temporales dentro y fuera de la sede con el objetivo de difundir el
trabajo de escultores contemporáneos.
statement_language: es
source_url: https://www.buenosaires.gob.ar/museos/museo-de-esculturas-luis-perlotti/el-museo
retrieved_on: '2025-12-30T20:42:11.140351+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:42:19.855586+00:00'
extraction_confidence: 0.95
content_hash: sha256-F039lCm4SAT2PMf3PYaBZcQ0ByZqxuWqB0YMKsIiHH0=
prov:
wasDerivedFrom: https://www.buenosaires.gob.ar/museos/museo-de-esculturas-luis-perlotti/el-museo
generatedAtTime: '2025-12-30T20:42:11.140351+00:00'
source_section: El Museo / Información General

View file

@ -61,3 +61,48 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.269637+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-dia-m-thba/mission-2025
statement_type: mission
statement_text: De bewaring en promotie van de tram als integraal onderdeel van de geschiedenis en cultuur van Buenos Aires
statement_language: es
source_url: http://www.tranvia.org.ar/
retrieved_on: '2025-12-30T20:47:20.481900+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:47:31.336324+00:00'
extraction_confidence: 0.85
content_hash: sha256-4AA0sJB3Iiok1NQq0qbPHxJnMlRwVwnM/EbJoUpcXWg=
prov:
wasDerivedFrom: http://www.tranvia.org.ar/
generatedAtTime: '2025-12-30T20:47:20.481900+00:00'
source_section: Hoofdgedeelte zonder specifieke sectietitel
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-dia-m-thba/vision-2025
statement_type: vision
statement_text: Het verenigen van mensen die geïnteresseerd zijn in kennis over het verleden, heden en toekomst van de tram
als stedelijk en interstedelijk vervoermiddel
statement_language: es
source_url: http://www.tranvia.org.ar/
retrieved_on: '2025-12-30T20:47:20.481900+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:47:31.336577+00:00'
extraction_confidence: 0.85
content_hash: sha256-yKoYx+SyDLxd7JX55qKg6HfmYfxSesMOBns3KICfxBQ=
prov:
wasDerivedFrom: http://www.tranvia.org.ar/
generatedAtTime: '2025-12-30T20:47:20.481900+00:00'
source_section: Hoofdgedeelte zonder specifieke sectietitel
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-dia-m-thba/goal-2025
statement_type: goal
statement_text: Het oprichten en onderhouden van de Historische Tram van Buenos Aires en de Federico Lacroze Volksbibliotheek,
alsmede het bevorderen van de kennis over de tram als onderdeel van het cultureel erfgoed
statement_language: es
source_url: http://www.tranvia.org.ar/
retrieved_on: '2025-12-30T20:47:20.481900+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:47:31.336584+00:00'
extraction_confidence: 0.85
content_hash: sha256-rbQmNu4Cz71Y+UJQ6VBnF22N1HXeCgMRXApx4LWxpCc=
prov:
wasDerivedFrom: http://www.tranvia.org.ar/
generatedAtTime: '2025-12-30T20:47:20.481900+00:00'
source_section: Hoofdgedeelte zonder specifieke sectietitel

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '131'
identifier_url: https://www.conabip.gob.ar/biblioteca/131
- &id001
identifier_scheme: CONABIP
identifier_value: '131'
identifier_url: https://www.conabip.gob.ar/biblioteca/131
locations:
- city: General Alvear
region: BUENOS AIRES
country: AR
latitude: -36.016099
longitude: -60.014515
- city: General Alvear
region: BUENOS AIRES
country: AR
latitude: -36.016099
longitude: -60.014515
processing_timestamp: '2025-12-06T23:34:13.090893+00:00'
ghcid:
ghcid_current: AR-B-GEN-L-BPFB
@ -28,29 +28,29 @@ ghcid:
city_code: GEN
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-GEN-L-BPFB
valid_from: '2025-12-10T10:00:36.105474+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-GEN-L-BPFB
ghcid_numeric: 17294497532406215022
valid_from: '2025-12-06T23:34:13.090893+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-GEN-L-BPFB
valid_from: '2025-12-10T10:00:36.105474+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-GEN-L-BPFB
ghcid_numeric: 17294497532406215022
valid_from: '2025-12-06T23:34:13.090893+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Florencia Balcarce
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-GEN-L-BPFB
- identifier_scheme: GHCID_UUID
identifier_value: 9a7d014c-81aa-5cbe-a6c1-d166fd68837b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: f00265e0-23f1-816e-ea65-462eaa1c7111
- identifier_scheme: GHCID_NUMERIC
identifier_value: '17294497532406215022'
- identifier_scheme: RECORD_ID
identifier_value: a5adf612-7fc8-4767-813d-034a31dae183
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-GEN-L-BPFB
- identifier_scheme: GHCID_UUID
identifier_value: 9a7d014c-81aa-5cbe-a6c1-d166fd68837b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: f00265e0-23f1-816e-ea65-462eaa1c7111
- identifier_scheme: GHCID_NUMERIC
identifier_value: '17294497532406215022'
- identifier_scheme: RECORD_ID
identifier_value: a5adf612-7fc8-4767-813d-034a31dae183
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,21 +58,21 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:21Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:59Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:23Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:46Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:35:19Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:38Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:48Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:45Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:21Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:54:06Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:56:02Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:41Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:21Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:03:59Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:23Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:46Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:35:19Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:38Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:47:48Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:50:45Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:52:21Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:54:06Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:56:02Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:57:41Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -80,8 +80,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.480487+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.480503+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -93,15 +93,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295037+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295037+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -110,45 +113,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Florencia Balcarce
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295037+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295037+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: General Alvear
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295037+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Florencia Balcarce
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295037+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295037+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: General Alvear
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295037+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.090893+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Florencia Balcarce
description: biblioteca popular en General Alvear, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '252'
identifier_url: https://www.conabip.gob.ar/biblioteca/252
- &id001
identifier_scheme: CONABIP
identifier_value: '252'
identifier_url: https://www.conabip.gob.ar/biblioteca/252
locations:
- city: Gerli
region: BUENOS AIRES
country: AR
latitude: -34.678183
longitude: -58.373667
- city: Gerli
region: BUENOS AIRES
country: AR
latitude: -34.678183
longitude: -58.373667
processing_timestamp: '2025-12-06T23:34:13.154862+00:00'
ghcid:
ghcid_current: AR-B-GER-L-BPJBA
@ -32,25 +32,25 @@ ghcid:
city_code: GER
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-GER-L-BPJBA
valid_from: '2025-12-10T10:00:36.190723+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-GER-L-BPJBA
ghcid_numeric: 4164816273430615233
valid_from: '2025-12-06T23:34:13.154862+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-GER-L-BPJBA
valid_from: '2025-12-10T10:00:36.190723+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-GER-L-BPJBA
ghcid_numeric: 4164816273430615233
valid_from: '2025-12-06T23:34:13.154862+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-GER-L-BPJBA
- identifier_scheme: GHCID_UUID
identifier_value: a16bf71b-2579-5a34-a031-5069f7cdf732
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 39cc6655-a499-84c1-acf4-02178e3efe47
- identifier_scheme: GHCID_NUMERIC
identifier_value: '4164816273430615233'
- identifier_scheme: RECORD_ID
identifier_value: 1382ecf6-0647-4e71-a3f8-bfa188929696
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-GER-L-BPJBA
- identifier_scheme: GHCID_UUID
identifier_value: a16bf71b-2579-5a34-a031-5069f7cdf732
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 39cc6655-a499-84c1-acf4-02178e3efe47
- identifier_scheme: GHCID_NUMERIC
identifier_value: '4164816273430615233'
- identifier_scheme: RECORD_ID
identifier_value: 1382ecf6-0647-4e71-a3f8-bfa188929696
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:27Z: Maps: Biblioteca Popular Juan Bautista Alberdi (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:39Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:27Z: Maps: Biblioteca Popular Juan Bautista Alberdi (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:39Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.503716+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.503732+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872997+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872997+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Juan B. Alberdi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872997+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872997+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Gerli
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872997+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Juan B. Alberdi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872997+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872997+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Gerli
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872997+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.154862+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Juan B. Alberdi
description: biblioteca popular en Gerli, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -177,79 +189,78 @@ google_maps_enrichment:
phone_local: 0299 443-0273
phone_international: +54 299 443-0273
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4
total_ratings: 31
reviews:
- author_name: Parcialmente Nublado
author_uri: https://www.google.com/maps/contrib/116714005874021976698/reviews
rating: 4
relative_time_description: 4 months ago
text: One of the best libraries in Neuquén for studying, although they could close the entrance to people who are going
to watch TikTok at full volume.
publish_time: '2025-07-28T18:08:33.155701567Z'
- author_name: Zacarias
author_uri: https://www.google.com/maps/contrib/104635510693718740163/reviews
rating: 5
relative_time_description: a year ago
text: 'Excellent place, offering a space of peace and quiet...perfect for studying.
It deserves help so it can continue offering the high-quality service it offers, despite not having any help from
anyone. Which is a shame.'
publish_time: '2024-11-23T12:14:41.986630Z'
- author_name: Martina Toledo
author_uri: https://www.google.com/maps/contrib/103303891603164604781/reviews
rating: 5
relative_time_description: 4 months ago
text: PUT MORE CHAIRS OR TABLES PLEASE 😭😭, it would be very nice to study upstairs
publish_time: '2025-07-30T19:33:33.677750571Z'
- author_name: Alejandra Godoy
author_uri: https://www.google.com/maps/contrib/116955472070251592390/reviews
rating: 1
relative_time_description: a year ago
text: Why do we have to put up with the poor treatment from the person in charge of customer service at the entrance?
I don't think she's a librarian. I really need to file a complaint with the Consumer Protection Agency. In short...
I couldn't join the library, thanks to such poor service from the owner of the place.
publish_time: '2024-11-07T13:00:12.068770Z'
- author_name: Gladys Gonzalez
author_uri: https://www.google.com/maps/contrib/115973019680169208732/reviews
rating: 1
relative_time_description: 10 months ago
text: They say it's public, but it turns out they WON'T let you stay because you're NOT a member? Incredible! 3 people
serving, there was no one there, but they WON'T let us stay to read because it's only for members!!!! UNPRESENTABLE!!
And very bad treatment!!
publish_time: '2025-01-23T14:57:33.550899Z'
- author_name: Parcialmente Nublado
author_uri: https://www.google.com/maps/contrib/116714005874021976698/reviews
rating: 4
relative_time_description: 4 months ago
text: One of the best libraries in Neuquén for studying, although they could close the entrance to people who are going
to watch TikTok at full volume.
publish_time: '2025-07-28T18:08:33.155701567Z'
- author_name: Zacarias
author_uri: https://www.google.com/maps/contrib/104635510693718740163/reviews
rating: 5
relative_time_description: a year ago
text: |-
Excellent place, offering a space of peace and quiet...perfect for studying.
It deserves help so it can continue offering the high-quality service it offers, despite not having any help from anyone. Which is a shame.
publish_time: '2024-11-23T12:14:41.986630Z'
- author_name: Martina Toledo
author_uri: https://www.google.com/maps/contrib/103303891603164604781/reviews
rating: 5
relative_time_description: 4 months ago
text: PUT MORE CHAIRS OR TABLES PLEASE 😭😭, it would be very nice to study upstairs
publish_time: '2025-07-30T19:33:33.677750571Z'
- author_name: Alejandra Godoy
author_uri: https://www.google.com/maps/contrib/116955472070251592390/reviews
rating: 1
relative_time_description: a year ago
text: Why do we have to put up with the poor treatment from the person in charge of customer service at the entrance?
I don't think she's a librarian. I really need to file a complaint with the Consumer Protection Agency. In short...
I couldn't join the library, thanks to such poor service from the owner of the place.
publish_time: '2024-11-07T13:00:12.068770Z'
- author_name: Gladys Gonzalez
author_uri: https://www.google.com/maps/contrib/115973019680169208732/reviews
rating: 1
relative_time_description: 10 months ago
text: They say it's public, but it turns out they WON'T let you stay because you're NOT a member? Incredible! 3 people
serving, there was no one there, but they WON'T let us stay to read because it's only for members!!!! UNPRESENTABLE!!
And very bad treatment!!
publish_time: '2025-01-23T14:57:33.550899Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 10:00AM7:30PM'
- 'Tuesday: 10:00AM7:30PM'
- 'Wednesday: 10:00AM7:30PM'
- 'Thursday: 10:00AM7:30PM'
- 'Friday: 10:00AM7:30PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 10:00AM7:30PM'
- 'Tuesday: 10:00AM7:30PM'
- 'Wednesday: 10:00AM7:30PM'
- 'Thursday: 10:00AM7:30PM'
- 'Friday: 10:00AM7:30PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHr1NFEzlvobIt27KB9UX8iFuir6Bq7owOg61IREZkuKEP-lBjqOvx-O-YL1IgSsQoMZfnMnDoYWuh2aD2ThtsAOU58-W1QSE4WOMYA5h4Z8Rwp7vpJzId6KxD0YdhNERBVGaYRGn8oCtFETDZos56A3y6hT3dCTgN2vC-qlUanHh5k4O4gADikAZhjN6O6dduPL7ePOLb1KTidm1gcaAfRE-FvKLqkf_nmwvPUcP_gqnzlJfgxz-Hbt1bSDel0wsAiU73kSAMw19ChIub4S6Po44dzjkenIIutF4L-OTn0lz-OC7xFwGnESsEhn7C1wkGwDMtfSkIvhZ4ZA9l58B6P9vFUkQXSBb-IAL9F_b2RVW5LEcC5Wlgr5ZIfVnEw8HgiBdfLiI6vBuRp48ZGfy4A9FFZsy8ABRgeovmYqw0hJNIx_B04BDPpinNAYcw
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHrrWoICwMCp_qW4ci7w6mqicKutdFlS38b3lgBPekcnMY4CImcumJ6tdQPqWAt7lVKEB9n292Qegmggz_uGgef9a8PZ7KWHqxzuAwgj4aiFWu8j6t1S6-PMWcejQGLFPQz32EVxfvOI1_jJqYfJDOHzIIQm6wa_mEeYDfSDL9JoyHRGkrfmgTMYFcbHocv8iU3kA9Nk9OWcm__EEuUK3DMis2veG1qg_jZeQ5EAjrSvt5sSqCTyM87uDbL9U_KdfrucObyqylO2rFbKscuev-76ZmY0dVTyePOJ66nfeoXyZtvfeh9WK4Twwz1OCehIHN2_bAHGW0MLPi7TjjGua77FCF7RndpnkMtnvBSE2Aq2DD7tZSPB2QsnkrfpLEeYUE1SBXoLG0Xu-j0aQh0rmtLmdQjCYLlJldYPUFZceIYRrmHlA3NKRSjgZlQ4kxa0
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHp2Otx_PfV3CF3eTrqIls47XXX_jmcZCTS5dZU3_dlwKPPVNIpzcrlXreEAbmo4JxoREv92PjNgrF0Bt6FiULs9qTuMMlofJHh1gpOOj0M1jC9uTMexuQ1IJiHMwOCaFXZbIk2zqaCxv6kla8W1mrWK_WYDjFqjE4_55qFLOUY0PakE8ONtirlQV1DNaT64Nl4iNWDOCXcq5zejlEG1_Qu4QeoL2fNTD8NqID8EiazpY3dqJ9rr6qe_sG_oXCuP9htuN9Dv3EgclzmZZiHnEKJJnlRinU2zp7fuULoQjN26Y8BsKwQ0HMDCFL0nFCqHBcRprxs2k9cF4nOTCFIjaOzg9LmqhTmkMkGfm4QTMR59exJ1qW-pJTYrcHMpVfgz20fKOwxTO_LvhTBxLMbq9x53ZInA-Uzt_XI-Vkklcd4K36PQO9fq84WOn0lcLJlB
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHogdYR5XhCacyLe-Qme6hEfkgAFvoo2oU4CJh044A2DjfpIdQfP5uuY96YCHCTHqHHK8f8-mzIXxTXWD8Q9yYDlgiSrzyyp-0IytUVDZKPGqm70PLHepntrBwABBIpraMKa_656SNB7e71inlmz87leMSYMAKKK_XThNW2vC5YKe8AIoMz8uMHU4LeqdEqRzIx29Ced0bUYrycsDs0JxQ1uGo13tcHpQ6F0gZdRNkvqfAM2Gk2__bdeshoDqtkiGrLzIEOPcGGgIwYWR6cQgrTQ3sdKuZRgghrW5Tg_dEARYzh4f1JsPJQsz6p-bOHSnrlzM2uBSXyjcK9xCnfOTrHRmHuezpCAOz85-ViIiP2NbJ1WL1dsWv1ItoB5wBSID7pDfcb_pohj6gtln_sTWozu6Pn5ONsBwMXMWEYwgB6Z2LAH2onocYzdTTXeZw
height: 1600
width: 900
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHoumn0HnuHwJZLRWJ4Tmg8BMAO2iHwUV5xZNn0FYc2GULRL2wJ7-1CA97t4k5u-r4d8b5pme8tcgJ9NY_g3fnMVyT-Q8FYvXugy8aCN6BZdDc-A-eO2rGUbgt1EIBu67Ds9u_wlMERjwf-Kgci0vOPpwvAK06V0rXi9fnoKdRYw8q4D_1y5l6lWKnLU2f_XnWe5pLiNPYdb5mqCtQ66Fxqr-etcIJU3rJbbie7mbWq7k9q_E-AF5GbALgRGolnJt-vfYr3yFHcmtauay3dPaDFWZ6zXURhVF21O6qb4VvI25HpTczABTxYpJlve4QeXNWSXnS7kWZnkWBaGQ9jXfdo_XFRis4UQeVYCpBZ0iEoNH4SJGVkfIM6k2HmTdZ-nALH5gQcgDgEm3GcSy-ithjY1Oenl1-gM4p9e2UQEz0oEQ8a3MeHqTuGcUiw4C05d
height: 1600
width: 900
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHr1NFEzlvobIt27KB9UX8iFuir6Bq7owOg61IREZkuKEP-lBjqOvx-O-YL1IgSsQoMZfnMnDoYWuh2aD2ThtsAOU58-W1QSE4WOMYA5h4Z8Rwp7vpJzId6KxD0YdhNERBVGaYRGn8oCtFETDZos56A3y6hT3dCTgN2vC-qlUanHh5k4O4gADikAZhjN6O6dduPL7ePOLb1KTidm1gcaAfRE-FvKLqkf_nmwvPUcP_gqnzlJfgxz-Hbt1bSDel0wsAiU73kSAMw19ChIub4S6Po44dzjkenIIutF4L-OTn0lz-OC7xFwGnESsEhn7C1wkGwDMtfSkIvhZ4ZA9l58B6P9vFUkQXSBb-IAL9F_b2RVW5LEcC5Wlgr5ZIfVnEw8HgiBdfLiI6vBuRp48ZGfy4A9FFZsy8ABRgeovmYqw0hJNIx_B04BDPpinNAYcw
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHrrWoICwMCp_qW4ci7w6mqicKutdFlS38b3lgBPekcnMY4CImcumJ6tdQPqWAt7lVKEB9n292Qegmggz_uGgef9a8PZ7KWHqxzuAwgj4aiFWu8j6t1S6-PMWcejQGLFPQz32EVxfvOI1_jJqYfJDOHzIIQm6wa_mEeYDfSDL9JoyHRGkrfmgTMYFcbHocv8iU3kA9Nk9OWcm__EEuUK3DMis2veG1qg_jZeQ5EAjrSvt5sSqCTyM87uDbL9U_KdfrucObyqylO2rFbKscuev-76ZmY0dVTyePOJ66nfeoXyZtvfeh9WK4Twwz1OCehIHN2_bAHGW0MLPi7TjjGua77FCF7RndpnkMtnvBSE2Aq2DD7tZSPB2QsnkrfpLEeYUE1SBXoLG0Xu-j0aQh0rmtLmdQjCYLlJldYPUFZceIYRrmHlA3NKRSjgZlQ4kxa0
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHp2Otx_PfV3CF3eTrqIls47XXX_jmcZCTS5dZU3_dlwKPPVNIpzcrlXreEAbmo4JxoREv92PjNgrF0Bt6FiULs9qTuMMlofJHh1gpOOj0M1jC9uTMexuQ1IJiHMwOCaFXZbIk2zqaCxv6kla8W1mrWK_WYDjFqjE4_55qFLOUY0PakE8ONtirlQV1DNaT64Nl4iNWDOCXcq5zejlEG1_Qu4QeoL2fNTD8NqID8EiazpY3dqJ9rr6qe_sG_oXCuP9htuN9Dv3EgclzmZZiHnEKJJnlRinU2zp7fuULoQjN26Y8BsKwQ0HMDCFL0nFCqHBcRprxs2k9cF4nOTCFIjaOzg9LmqhTmkMkGfm4QTMR59exJ1qW-pJTYrcHMpVfgz20fKOwxTO_LvhTBxLMbq9x53ZInA-Uzt_XI-Vkklcd4K36PQO9fq84WOn0lcLJlB
height: 900
width: 1600
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHogdYR5XhCacyLe-Qme6hEfkgAFvoo2oU4CJh044A2DjfpIdQfP5uuY96YCHCTHqHHK8f8-mzIXxTXWD8Q9yYDlgiSrzyyp-0IytUVDZKPGqm70PLHepntrBwABBIpraMKa_656SNB7e71inlmz87leMSYMAKKK_XThNW2vC5YKe8AIoMz8uMHU4LeqdEqRzIx29Ced0bUYrycsDs0JxQ1uGo13tcHpQ6F0gZdRNkvqfAM2Gk2__bdeshoDqtkiGrLzIEOPcGGgIwYWR6cQgrTQ3sdKuZRgghrW5Tg_dEARYzh4f1JsPJQsz6p-bOHSnrlzM2uBSXyjcK9xCnfOTrHRmHuezpCAOz85-ViIiP2NbJ1WL1dsWv1ItoB5wBSID7pDfcb_pohj6gtln_sTWozu6Pn5ONsBwMXMWEYwgB6Z2LAH2onocYzdTTXeZw
height: 1600
width: 900
- name: places/ChIJOYt6tnIzCpYRsUCgMwQEEMI/photos/AZLasHoumn0HnuHwJZLRWJ4Tmg8BMAO2iHwUV5xZNn0FYc2GULRL2wJ7-1CA97t4k5u-r4d8b5pme8tcgJ9NY_g3fnMVyT-Q8FYvXugy8aCN6BZdDc-A-eO2rGUbgt1EIBu67Ds9u_wlMERjwf-Kgci0vOPpwvAK06V0rXi9fnoKdRYw8q4D_1y5l6lWKnLU2f_XnWe5pLiNPYdb5mqCtQ66Fxqr-etcIJU3rJbbie7mbWq7k9q_E-AF5GbALgRGolnJt-vfYr3yFHcmtauay3dPaDFWZ6zXURhVF21O6qb4VvI25HpTczABTxYpJlve4QeXNWSXnS7kWZnkWBaGQ9jXfdo_XFRis4UQeVYCpBZ0iEoNH4SJGVkfIM6k2HmTdZ-nALH5gQcgDgEm3GcSy-ithjY1Oenl1-gM4p9e2UQEz0oEQ8a3MeHqTuGcUiw4C05d
height: 1600
width: 900
google_maps_url: https://maps.google.com/?cid=13983681259077910705&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -61,3 +61,19 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.528809+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-ija-m-mgeh/mission-2025
statement_type: mission
statement_text: El museo tiene como destino un museo evocativo de la vida y obra del eminente escritor y naturalista Guillermo
Enrique Hudson.
statement_language: es
source_url: http://hudsonculturalnatural.com/museo/
retrieved_on: '2025-12-30T20:48:15.085023+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:48:31.381236+00:00'
extraction_confidence: 0.75
content_hash: sha256-MrUnYTyivDKFhHY0Jz8TsEz50j/mVfpjzoJD7uIKpgI=
prov:
wasDerivedFrom: http://hudsonculturalnatural.com/museo/
generatedAtTime: '2025-12-30T20:48:15.085023+00:00'
source_section: Creación del Museo y parque Evocativo Guillermo Enrique Hudson

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:34Z: Maps: Popular Library Domingo Faustino Sarmiento (conf: 0.85); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:34Z: Maps: Popular Library Domingo Faustino Sarmiento (conf: 0.85); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:48Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:40Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
@ -94,9 +95,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294296+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294296+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +109,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Domingo Faustino Sarmiento
@ -114,9 +118,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294296+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294296+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +131,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294296+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294296+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Juan Bautista Alberdi
@ -134,9 +144,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294296+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294296+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -149,7 +162,8 @@ wikidata_enrichment:
description: biblioteca popular en Juan Bautista Alberdi, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
enrichment_method: manual_wikidata_lookup
notes: Wikidata location verified - matches Juan Bautista Alberdi, Buenos Aires. Note - Google Maps shows a DIFFERENT library with same name in Buenos Aires city.
notes: Wikidata location verified - matches Juan Bautista Alberdi, Buenos Aires. Note - Google Maps shows a DIFFERENT library
with same name in Buenos Aires city.
_provenance:
content_hash:
algorithm: sha256
@ -191,40 +205,41 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/114740114333505439560/reviews
rating: 5
relative_time_description: a month ago
text: 'Excellent service at this prestigious, century-old library. I had the honor of presenting my first book there a month ago. Its president, thanks to his hard work, keeps it running. It''s open twice a week and houses incunabula and also helps the community. There are also a variety of workshops and activities.
Long live the library!'
text: |-
Excellent service at this prestigious, century-old library. I had the honor of presenting my first book there a month ago. Its president, thanks to his hard work, keeps it running. It's open twice a week and houses incunabula and also helps the community. There are also a variety of workshops and activities.
Long live the library!
publish_time: '2025-10-14T08:22:38.909629380Z'
- author_name: ANA CANO
author_uri: https://www.google.com/maps/contrib/116642825628719938063/reviews
rating: 5
relative_time_description: a year ago
text: The library is improving a lot! Now there's someone there from 2 pm to 6 pm, and many more people are coming. There are many interesting workshops available to everyone.
text: The library is improving a lot! Now there's someone there from 2 pm to 6 pm, and many more people are coming. There
are many interesting workshops available to everyone.
publish_time: '2024-06-29T22:03:26.660658Z'
- author_name: Veronica Carranza
author_uri: https://www.google.com/maps/contrib/106567292778253273137/reviews
rating: 5
relative_time_description: 5 years ago
text: 'Today I walked through the door and saw the following information:
Starting 10/15/20, it''s open Mondays and Thursdays from 3:00 PM to 6:00 PM for loans, returns, and fee collection. No stays allowed (due to Covid-19).
text: |-
Today I walked through the door and saw the following information:
Starting 10/15/20, it's open Mondays and Thursdays from 3:00 PM to 6:00 PM for loans, returns, and fee collection. No stays allowed (due to Covid-19).
Inquiries to: biposarmiento@gmail.com
To become a member: $100 monthly (one-time registration fee $50). You can borrow up to 3 books every 15 days. Requirements: a photocopy of your service certificate in your name, your ID, and a residence in Villa Urquiza.'
To become a member: $100 monthly (one-time registration fee $50). You can borrow up to 3 books every 15 days. Requirements: a photocopy of your service certificate in your name, your ID, and a residence in Villa Urquiza.
publish_time: '2020-10-23T20:51:16.533526Z'
- author_name: Mabel Oliva
author_uri: https://www.google.com/maps/contrib/103330430802874307283/reviews
rating: 5
relative_time_description: 7 years ago
text: There are painting, crafts, and embroidery workshops. The teachers are excellent. The work is very well done. The workshops are very affordable. The space is small. It would be nice to expand.
text: There are painting, crafts, and embroidery workshops. The teachers are excellent. The work is very well done. The
workshops are very affordable. The space is small. It would be nice to expand.
publish_time: '2018-01-16T04:10:25.898Z'
- author_name: ethel emilce Rosales
author_uri: https://www.google.com/maps/contrib/104217188742601160822/reviews
rating: 5
relative_time_description: 3 years ago
text: That public library nourished us, the older residents, in our younger days. Today, as adults, it gives us courses and life. It's unfortunate that it's not a historical monument and could be better maintained.
text: That public library nourished us, the older residents, in our younger days. Today, as adults, it gives us courses
and life. It's unfortunate that it's not a historical monument and could be better maintained.
publish_time: '2022-10-14T03:59:11.465773Z'
opening_hours:
open_now: true
@ -257,7 +272,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.85
reasoning: The name similarity is very high; the Google Maps name 'Popular Library Domingo Faustino Sarmiento' is a direct translation of the institution's name 'Biblioteca Popular Domingo Faustino Sarmiento'. The type is a perfect match, as both are identified as a library. The location consistency is high given the common name and the fact that the institution's country is 'AR', matching the candidate's address in 'Argentina'.
reasoning: The name similarity is very high; the Google Maps name 'Popular Library Domingo Faustino Sarmiento' is a direct
translation of the institution's name 'Biblioteca Popular Domingo Faustino Sarmiento'. The type is a perfect match,
as both are identified as a library. The location consistency is high given the common name and the fact that the institution's
country is 'AR', matching the candidate's address in 'Argentina'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:41Z: Maps: Biblioteca Popular Paz Y Trabajo (conf: 0.95); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:45:41Z: Maps: Biblioteca Popular Paz Y Trabajo (conf: 0.95); YouTube: no
verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:51:03Z: YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:24Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:01:56Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429599+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429599+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Paz y Trabajo
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429599+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429599+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429599+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429599+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Junín
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:00.429599+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:00.429599+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -215,7 +228,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name 'Biblioteca Popular Paz Y Trabajo' is an exact match with the institution's name 'Biblioteca Popular Paz y Trabajo'. The address places it in Junín, Provincia de Buenos Aires, Argentina, which is consistent with the institution's city and country. The Google Maps type 'library' is a perfect match for the institution type. The high confidence score is based on the exact name match and perfect location and type consistency. A minor discrepancy in capitalization in the Google Maps name ('Y' vs 'y') is considered insignificant.
reasoning: The name 'Biblioteca Popular Paz Y Trabajo' is an exact match with the institution's name 'Biblioteca Popular
Paz y Trabajo'. The address places it in Junín, Provincia de Buenos Aires, Argentina, which is consistent with the institution's
city and country. The Google Maps type 'library' is a perfect match for the institution type. The high confidence score
is based on the exact name match and perfect location and type consistency. A minor discrepancy in capitalization in
the Google Maps name ('Y' vs 'y') is considered insignificant.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '150'
identifier_url: https://www.conabip.gob.ar/biblioteca/150
- &id001
identifier_scheme: CONABIP
identifier_value: '150'
identifier_url: https://www.conabip.gob.ar/biblioteca/150
locations:
- city: Lanús
region: BUENOS AIRES
country: AR
latitude: -34.714967
longitude: -58.371683
- city: Lanús
region: BUENOS AIRES
country: AR
latitude: -34.714967
longitude: -58.371683
processing_timestamp: '2025-12-06T23:34:13.093740+00:00'
ghcid:
ghcid_current: AR-B-LAN-L-BPSLSM
@ -28,29 +28,29 @@ ghcid:
city_code: LAN
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-LAN-L-BPSLSM
valid_from: '2025-12-10T10:00:36.486148+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LAN-L-BPSLSM
ghcid_numeric: 15859153829987239523
valid_from: '2025-12-06T23:34:13.093740+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-LAN-L-BPSLSM
valid_from: '2025-12-10T10:00:36.486148+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LAN-L-BPSLSM
ghcid_numeric: 15859153829987239523
valid_from: '2025-12-06T23:34:13.093740+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular y Social Libertador San Martín
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-LAN-L-BPSLSM
- identifier_scheme: GHCID_UUID
identifier_value: 2af6aa37-fac7-506d-9a91-d0c42f6ad7ab
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dc170862-0aaa-8663-8852-90af48a4feef
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15859153829987239523'
- identifier_scheme: RECORD_ID
identifier_value: 7983a890-f90c-4083-b956-c1c1657beafb
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-LAN-L-BPSLSM
- identifier_scheme: GHCID_UUID
identifier_value: 2af6aa37-fac7-506d-9a91-d0c42f6ad7ab
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dc170862-0aaa-8663-8852-90af48a4feef
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15859153829987239523'
- identifier_scheme: RECORD_ID
identifier_value: 7983a890-f90c-4083-b956-c1c1657beafb
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:42Z: Maps: Biblioteca Social y Popular Libertador San Martin (conf:
0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:49Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:42Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:42Z: Maps: Biblioteca Social y Popular Libertador San Martin (conf: 0.90);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:49Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:42Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.659049+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.659064+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295085+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295085+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Social Libertador San Martín
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295085+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295085+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Lanús
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295085+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular y Social Libertador San Martín
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295085+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295085+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lanús
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295085+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.093740+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular y Social Libertador San Martín
description: biblioteca popular en Lanús, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -176,76 +188,76 @@ google_maps_enrichment:
phone_local: 011 4249-3631
phone_international: +54 11 4249-3631
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.9
total_ratings: 35
reviews:
- author_name: Ámbar Britos
author_uri: https://www.google.com/maps/contrib/118089007570865038043/reviews
rating: 5
relative_time_description: 3 months ago
text: Excellent place to study, read, or borrow books. The rates are super affordable, and there are a variety of great
workshops! And many more activities. Excellent service!
publish_time: '2025-08-25T23:15:29.201861255Z'
- author_name: Aniris M
author_uri: https://www.google.com/maps/contrib/102308575500930857820/reviews
rating: 5
relative_time_description: 8 months ago
text: 'A beautiful place to do many activities and soak up the culture.
The personalized service is lacking a touch of organization; and I wish it could be open for a while on Saturdays.'
publish_time: '2025-03-16T04:26:11.432661Z'
- author_name: Samanta Mohamed
author_uri: https://www.google.com/maps/contrib/103315095968337084833/reviews
rating: 5
relative_time_description: 10 months ago
text: The phone number doesn't correspond to a current subscriber; please edit it. I'd like to contact you to find out
if you accept donations of various books, but I'm unable to do so.
publish_time: '2025-01-23T14:44:02.220882Z'
- author_name: Micaela Corso
author_uri: https://www.google.com/maps/contrib/105979758254005458816/reviews
rating: 5
relative_time_description: 2 years ago
text: The library has a wide variety of up-to-date materials, workshops, cultural activities, and a reading area for
adults and children. The librarian provides excellent service. The membership fee is very affordable.
publish_time: '2023-09-24T12:00:54.337764Z'
- author_name: Andrea Ribero
author_uri: https://www.google.com/maps/contrib/114900747376526971676/reviews
rating: 5
relative_time_description: 8 months ago
text: A perfect space for the community. Very dedicated people in charge, which is highly appreciated.
publish_time: '2025-03-20T19:40:07.482475Z'
- author_name: Ámbar Britos
author_uri: https://www.google.com/maps/contrib/118089007570865038043/reviews
rating: 5
relative_time_description: 3 months ago
text: Excellent place to study, read, or borrow books. The rates are super affordable, and there are a variety of great
workshops! And many more activities. Excellent service!
publish_time: '2025-08-25T23:15:29.201861255Z'
- author_name: Aniris M
author_uri: https://www.google.com/maps/contrib/102308575500930857820/reviews
rating: 5
relative_time_description: 8 months ago
text: |-
A beautiful place to do many activities and soak up the culture.
The personalized service is lacking a touch of organization; and I wish it could be open for a while on Saturdays.
publish_time: '2025-03-16T04:26:11.432661Z'
- author_name: Samanta Mohamed
author_uri: https://www.google.com/maps/contrib/103315095968337084833/reviews
rating: 5
relative_time_description: 10 months ago
text: The phone number doesn't correspond to a current subscriber; please edit it. I'd like to contact you to find out
if you accept donations of various books, but I'm unable to do so.
publish_time: '2025-01-23T14:44:02.220882Z'
- author_name: Micaela Corso
author_uri: https://www.google.com/maps/contrib/105979758254005458816/reviews
rating: 5
relative_time_description: 2 years ago
text: The library has a wide variety of up-to-date materials, workshops, cultural activities, and a reading area for adults
and children. The librarian provides excellent service. The membership fee is very affordable.
publish_time: '2023-09-24T12:00:54.337764Z'
- author_name: Andrea Ribero
author_uri: https://www.google.com/maps/contrib/114900747376526971676/reviews
rating: 5
relative_time_description: 8 months ago
text: A perfect space for the community. Very dedicated people in charge, which is highly appreciated.
publish_time: '2025-03-20T19:40:07.482475Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: 9:00AM3:00PM'
- 'Tuesday: 2:008:00PM'
- 'Wednesday: 2:008:00PM'
- 'Thursday: 9:00AM3:00PM'
- 'Friday: 2:008:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 9:00AM3:00PM'
- 'Tuesday: 2:008:00PM'
- 'Wednesday: 2:008:00PM'
- 'Thursday: 9:00AM3:00PM'
- 'Friday: 2:008:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 8
photos_metadata:
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHpqCDV9BK06IzVQ45nmcF1pcDFpcVqCrtmtllr4qYiCs8Sqo0QgOTIUDbTtL2lY04z6vZJOwXsIhySDe_kNdtDa9laFKR_uSodAlfMIg5eNcitAQSE5j460PHGEdKWoJy975HoXn4xLN0aU1WsoPvaEFGGFFg5FQtAS3hl-iumwdt4Uo1JcMRlaYBK4Wr2U3PjZdBImHPdNc4pSjDZDLr_Si-hs6idCYcPiAtbp6u-ePDyvaj0mSWDwwG3VNFlwNcN2Cn9soIEGVWxK72y0Nzw8jgYQX2nxnDVZF6TpY9SctW4LsutVbCuvPVkEHYrGuS4wBrs6PJbxxVPEqT46NlUJr4OY2VF3xOGMs5gdip2Y9Q31z2F6UnG6LJHu4xRDB2YtggqR41kIMvlQJVFu1BzDmawapkSiD9viKtpPpvR6LkxxTkO9D5BYSvGaig
height: 3060
width: 4080
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHp4fpfOAuFuFm_HFs8ejhg4AhpVGoRpFEhx6safRIr2L9gzOCAzplu6FkTxrPyYS2JgpW7QNaPp04ndaHUgB22MZdt9NeRMGXKtRgE4juUIl26_fciasXn9T7tO5pwTK2hptwsoeIzJV2Im91zPbCVIXjcPhj5X0i7Kx7b0mkf4Zm0fdtTzyTFzgnWkLHg9VzFQDKFIZdcy09DvZ4ae4ykjCCBFfZZ57juf0F8b2qOT3Bg1tdmDdOgCj-G2FWQ890GqXBH1AS7PW4Wpgivm6VohDG4iFGhAxpjb3X57IhRvopcjz-qGhoC3E_Q2I1J9-6IIe_RZQAr1spAks8UWrb-n9HzeExXyvclrrngvQSuga0gMhmByHW0xhZmRIga1VxyilP-waKDkKohu4YoPLEDWbu_Oy2i-oM8iCwlwIMfFrQ
height: 4800
width: 3599
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHrVJ9odRSAOMCzuxoAmTB4Y2sKfXWhUMH3x2eCGgGgTH_umu-Ak31_EL78nygHWBRdGxTPROP6-z9QQSuoZ6_IxC_jAEtfgjdCXIc40XVWzDUgDveFhsmQMMpy9sXSDNtGG_bakCpRVGk6LJ7Z50tl2yVIwIcimvaiszvrKT7K1ux_vlAPrSWfkDL63Aik9Ke4c8Emnr2ZsQlkNprgwafnNrrx3z2ybBy1R_pk1lg61wK5Ud37A218mSwhlpXrpNV0PxSB9hrZNeciopyPxXKOHpOTQLBQyLMoqwhaJgQyt4Uw4ef7A_4dvgZ7reUeZkBmU1pH8W8zh9kj-jER-puG8ZTbeWXqJ4JApz6VyxBCP1u3KSKq_4TVOWzu9JVnLXIMeOcv2_knsxDbgcI9rmqYbwa23SzPv5XpkRYYRKTSflA
height: 4800
width: 3599
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHoJe1auDtWTpgUIlZH_z1c7jqX3sEuGHwE93NF7z1nn2aT0UBPbUdlX-DaPW-9wOE7cVLiKQWoz6HomKn2OsA5rgiayGJVNrgDL4tgdSjCgzoDQtNeEm3bVlSlFmRdEZ93hQU_M-Srif9JHOU4xDuTkHh5ZAAGkMcQFqYJpW0-YZUwkWi09k0zqTuFEPkpAc0LTbxEhwThT19H0kD3qOb5S3fDyFXgeDqxMlHFNJ993S-ndPATSaxUZpSINihrMp_0nEPBGclEp4lWdRDLj9GJLFRUhgIxRkojuWgOThp_rgz14fyDtHu37eqwwiQorZcGXs1FJ_5Esm0oCDTQj50f3b4SMW30p92mWm736qeoQ16-Hzb_31CUOzKbzIvMouGriqHBlqYJ-aT7GNtA1vonIzO6J8s2OhC8nc82R3pZ03g
height: 2955
width: 1661
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHqV_-APZvxRfVB3C9_QRI5w2fxNiVTduQRRQDG-TzP7CJegwQQVmOlSU2O5Q7ipF55AB3wSjAIi6Z3thK0MJvYQir3IfrfxjsPz0FjVAuVWwGgMhNmOPGSnRPkmf_moATTC9wtdjnwfZvgA_O3bOMIkHcKB68edhocO-zqWGbBPpJNhcHQ43nENrdOnPxBXYNNgPbzXmVjZVXyRsakpoSBznAPbuKJfsmRn8uRuCzFVSwEb7BbwYIPYSE-8D03sqatnqkrKx63hBHtTDZhIHenPJgvFJde1kBxOrRwFp7i34SAesvlNG3hIahanwiL4Str-J4y_xDhKDSLoMsXr_0Gl6Gn6n0rC03EmTSvDopXkgB5o5iz7WY-obTGM2Yq_UbhihQF7AwJ2p_NRCGJCY8m5hw1b7EJOn_2nkroHMvWFMb5d
height: 4800
width: 3599
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHpqCDV9BK06IzVQ45nmcF1pcDFpcVqCrtmtllr4qYiCs8Sqo0QgOTIUDbTtL2lY04z6vZJOwXsIhySDe_kNdtDa9laFKR_uSodAlfMIg5eNcitAQSE5j460PHGEdKWoJy975HoXn4xLN0aU1WsoPvaEFGGFFg5FQtAS3hl-iumwdt4Uo1JcMRlaYBK4Wr2U3PjZdBImHPdNc4pSjDZDLr_Si-hs6idCYcPiAtbp6u-ePDyvaj0mSWDwwG3VNFlwNcN2Cn9soIEGVWxK72y0Nzw8jgYQX2nxnDVZF6TpY9SctW4LsutVbCuvPVkEHYrGuS4wBrs6PJbxxVPEqT46NlUJr4OY2VF3xOGMs5gdip2Y9Q31z2F6UnG6LJHu4xRDB2YtggqR41kIMvlQJVFu1BzDmawapkSiD9viKtpPpvR6LkxxTkO9D5BYSvGaig
height: 3060
width: 4080
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHp4fpfOAuFuFm_HFs8ejhg4AhpVGoRpFEhx6safRIr2L9gzOCAzplu6FkTxrPyYS2JgpW7QNaPp04ndaHUgB22MZdt9NeRMGXKtRgE4juUIl26_fciasXn9T7tO5pwTK2hptwsoeIzJV2Im91zPbCVIXjcPhj5X0i7Kx7b0mkf4Zm0fdtTzyTFzgnWkLHg9VzFQDKFIZdcy09DvZ4ae4ykjCCBFfZZ57juf0F8b2qOT3Bg1tdmDdOgCj-G2FWQ890GqXBH1AS7PW4Wpgivm6VohDG4iFGhAxpjb3X57IhRvopcjz-qGhoC3E_Q2I1J9-6IIe_RZQAr1spAks8UWrb-n9HzeExXyvclrrngvQSuga0gMhmByHW0xhZmRIga1VxyilP-waKDkKohu4YoPLEDWbu_Oy2i-oM8iCwlwIMfFrQ
height: 4800
width: 3599
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHrVJ9odRSAOMCzuxoAmTB4Y2sKfXWhUMH3x2eCGgGgTH_umu-Ak31_EL78nygHWBRdGxTPROP6-z9QQSuoZ6_IxC_jAEtfgjdCXIc40XVWzDUgDveFhsmQMMpy9sXSDNtGG_bakCpRVGk6LJ7Z50tl2yVIwIcimvaiszvrKT7K1ux_vlAPrSWfkDL63Aik9Ke4c8Emnr2ZsQlkNprgwafnNrrx3z2ybBy1R_pk1lg61wK5Ud37A218mSwhlpXrpNV0PxSB9hrZNeciopyPxXKOHpOTQLBQyLMoqwhaJgQyt4Uw4ef7A_4dvgZ7reUeZkBmU1pH8W8zh9kj-jER-puG8ZTbeWXqJ4JApz6VyxBCP1u3KSKq_4TVOWzu9JVnLXIMeOcv2_knsxDbgcI9rmqYbwa23SzPv5XpkRYYRKTSflA
height: 4800
width: 3599
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHoJe1auDtWTpgUIlZH_z1c7jqX3sEuGHwE93NF7z1nn2aT0UBPbUdlX-DaPW-9wOE7cVLiKQWoz6HomKn2OsA5rgiayGJVNrgDL4tgdSjCgzoDQtNeEm3bVlSlFmRdEZ93hQU_M-Srif9JHOU4xDuTkHh5ZAAGkMcQFqYJpW0-YZUwkWi09k0zqTuFEPkpAc0LTbxEhwThT19H0kD3qOb5S3fDyFXgeDqxMlHFNJ993S-ndPATSaxUZpSINihrMp_0nEPBGclEp4lWdRDLj9GJLFRUhgIxRkojuWgOThp_rgz14fyDtHu37eqwwiQorZcGXs1FJ_5Esm0oCDTQj50f3b4SMW30p92mWm736qeoQ16-Hzb_31CUOzKbzIvMouGriqHBlqYJ-aT7GNtA1vonIzO6J8s2OhC8nc82R3pZ03g
height: 2955
width: 1661
- name: places/ChIJ_1jzV7Uyo5URTNKr6ROJKOs/photos/AZLasHqV_-APZvxRfVB3C9_QRI5w2fxNiVTduQRRQDG-TzP7CJegwQQVmOlSU2O5Q7ipF55AB3wSjAIi6Z3thK0MJvYQir3IfrfxjsPz0FjVAuVWwGgMhNmOPGSnRPkmf_moATTC9wtdjnwfZvgA_O3bOMIkHcKB68edhocO-zqWGbBPpJNhcHQ43nENrdOnPxBXYNNgPbzXmVjZVXyRsakpoSBznAPbuKJfsmRn8uRuCzFVSwEb7BbwYIPYSE-8D03sqatnqkrKx63hBHtTDZhIHenPJgvFJde1kBxOrRwFp7i34SAesvlNG3hIahanwiL4Str-J4y_xDhKDSLoMsXr_0Gl6Gn6n0rC03EmTSvDopXkgB5o5iz7WY-obTGM2Yq_UbhihQF7AwJ2p_NRCGJCY8m5hw1b7EJOn_2nkroHMvWFMb5d
height: 4800
width: 3599
google_maps_url: https://maps.google.com/?cid=16944944316599226956&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '249'
identifier_url: https://www.conabip.gob.ar/biblioteca/249
- &id001
identifier_scheme: CONABIP
identifier_value: '249'
identifier_url: https://www.conabip.gob.ar/biblioteca/249
locations:
- city: La Plata
region: BUENOS AIRES
country: AR
latitude: -34.852017
longitude: -58.08055
- city: La Plata
region: BUENOS AIRES
country: AR
latitude: -34.852017
longitude: -58.08055
processing_timestamp: '2025-12-06T23:34:13.150089+00:00'
ghcid:
ghcid_current: AR-B-LAP-L-BPAI
@ -32,25 +32,25 @@ ghcid:
city_code: LAP
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-LAP-L-BPAI
valid_from: '2025-12-10T10:00:36.532970+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LAP-L-BPAI
ghcid_numeric: 15921771456260583886
valid_from: '2025-12-06T23:34:13.150089+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-LAP-L-BPAI
valid_from: '2025-12-10T10:00:36.532970+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LAP-L-BPAI
ghcid_numeric: 15921771456260583886
valid_from: '2025-12-06T23:34:13.150089+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-LAP-L-BPAI
- identifier_scheme: GHCID_UUID
identifier_value: 8f2296bf-64c6-53d8-83be-e4f419061ea6
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dcf57ec8-455d-81ce-3b82-24269cd66dec
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15921771456260583886'
- identifier_scheme: RECORD_ID
identifier_value: c711af69-df63-4f5a-b9a8-1f59b3d9218c
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-LAP-L-BPAI
- identifier_scheme: GHCID_UUID
identifier_value: 8f2296bf-64c6-53d8-83be-e4f419061ea6
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: dcf57ec8-455d-81ce-3b82-24269cd66dec
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15921771456260583886'
- identifier_scheme: RECORD_ID
identifier_value: c711af69-df63-4f5a-b9a8-1f59b3d9218c
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:46Z: Maps: Biblioteca Popular Alejo Iglesias (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:50Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:42Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:06:46Z: Maps: Biblioteca Popular Alejo Iglesias (conf: 0.95); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:50Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:42Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.685456+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.685470+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872934+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872934+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Alejo Iglesias
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872934+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872934+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: La Plata
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872934+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Alejo Iglesias
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872934+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872934+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: La Plata
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872934+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.150089+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Alejo Iglesias
description: biblioteca popular en La Plata, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -176,82 +188,79 @@ google_maps_enrichment:
phone_local: 0221 473-0649
phone_international: +54 221 473-0649
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.6
total_ratings: 36
reviews:
- author_name: Paula mix musical
author_uri: https://www.google.com/maps/contrib/112183359306598665987/reviews
rating: 5
relative_time_description: a month ago
text: A great place. There are workshops, a library, and books for you to check out at the door for the community. And
good vibes! Something for all ages and tastes.
publish_time: '2025-10-27T11:20:03.414003350Z'
- author_name: Angela Sanchez
author_uri: https://www.google.com/maps/contrib/101949281121330331679/reviews
rating: 5
relative_time_description: 3 years ago
text: A beautiful place. With many courses and workshops open to the community. Once a month they perform very good
plays with the help of "red pido hook"
publish_time: '2022-06-13T02:51:26.891750Z'
- author_name: Paula Marina Rinaldi
author_uri: https://www.google.com/maps/contrib/113683105455185879408/reviews
rating: 5
relative_time_description: 3 years ago
text: 'Very warm and attentive service.
An excellent space for all ages.
With books, workshops, and group activities.'
publish_time: '2022-08-11T23:27:52.527637Z'
- author_name: agustina piris
author_uri: https://www.google.com/maps/contrib/110685215510890256002/reviews
rating: 5
relative_time_description: 7 years ago
text: 'It''s a very good library where you can find everything you need.
There''s a children''s room, a kitchen, a reading room, and two other rooms.
There are many activities there, such as guitar, English, theater, and many more. You can check them out there or
on Facebook at the Alejo Iglesias Library.'
publish_time: '2018-05-20T02:39:56.410Z'
- author_name: Alejandra Ruiz
author_uri: https://www.google.com/maps/contrib/107771140522437075128/reviews
rating: 5
relative_time_description: a year ago
text: Beautiful library, the corner for the kids is very nice
publish_time: '2024-07-16T20:36:20.532584Z'
- author_name: Paula mix musical
author_uri: https://www.google.com/maps/contrib/112183359306598665987/reviews
rating: 5
relative_time_description: a month ago
text: A great place. There are workshops, a library, and books for you to check out at the door for the community. And
good vibes! Something for all ages and tastes.
publish_time: '2025-10-27T11:20:03.414003350Z'
- author_name: Angela Sanchez
author_uri: https://www.google.com/maps/contrib/101949281121330331679/reviews
rating: 5
relative_time_description: 3 years ago
text: A beautiful place. With many courses and workshops open to the community. Once a month they perform very good plays
with the help of "red pido hook"
publish_time: '2022-06-13T02:51:26.891750Z'
- author_name: Paula Marina Rinaldi
author_uri: https://www.google.com/maps/contrib/113683105455185879408/reviews
rating: 5
relative_time_description: 3 years ago
text: |-
Very warm and attentive service.
An excellent space for all ages.
With books, workshops, and group activities.
publish_time: '2022-08-11T23:27:52.527637Z'
- author_name: agustina piris
author_uri: https://www.google.com/maps/contrib/110685215510890256002/reviews
rating: 5
relative_time_description: 7 years ago
text: |-
It's a very good library where you can find everything you need.
There's a children's room, a kitchen, a reading room, and two other rooms.
There are many activities there, such as guitar, English, theater, and many more. You can check them out there or on Facebook at the Alejo Iglesias Library.
publish_time: '2018-05-20T02:39:56.410Z'
- author_name: Alejandra Ruiz
author_uri: https://www.google.com/maps/contrib/107771140522437075128/reviews
rating: 5
relative_time_description: a year ago
text: Beautiful library, the corner for the kids is very nice
publish_time: '2024-07-16T20:36:20.532584Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: Closed'
- 'Tuesday: 10:00AM1:00PM, 4:007:00PM'
- 'Wednesday: 10:00AM1:00PM, 4:007:00PM'
- 'Thursday: 10:00AM1:00PM, 4:007:00PM'
- 'Friday: 4:007:00PM'
- 'Saturday: 10:00AM1:00PM'
- 'Sunday: Closed'
- 'Monday: Closed'
- 'Tuesday: 10:00AM1:00PM, 4:007:00PM'
- 'Wednesday: 10:00AM1:00PM, 4:007:00PM'
- 'Thursday: 10:00AM1:00PM, 4:007:00PM'
- 'Friday: 4:007:00PM'
- 'Saturday: 10:00AM1:00PM'
- 'Sunday: Closed'
photo_count: 5
photos_metadata:
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHquZOeppbRdV9SS6RllU0deJ7Aewe0l8mnKFRuGqqlK6CKakfP9fQVHEEpjAZGQAz7OVCOaemp4dTGeB5_oakac7TjuVnbjtOL7Ac0KTilgd2B8p-w3Ys_lf1fJuvvtxDkIzhqf0NKddB5apI5q2oRVrXLD5OFD0HMP4KXlbusuAzbEQJp5oLUmRN_TMpD8uFRBcouordNzvIjiLVqdEI_3OCc9lx-JGRPG7L6te1mhrIn7f-3a0TxcBAjW3iNC6re1aJiz8MY9kGkRNQgtqqHoku-YFBVzmRAYeXVSTNRO4hphYhso3Y-w9oBlP9iPougDRDwRccHBwplVaonLwOifPXo3X1NqDqX9727kKUqoyfX1zjleE6doYHkPPFD92XEsFwnjSfq4O0OH1D6NHqp4LQkSpXaFb4mpTJSc-h8tgqk
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHr24x2f55hagVDKv_PRiTDRmhuLDu5asXn4batwZZhQ_81TBLt5GNfycnUvKu0eNhGwzvbXiLvssbjtfEuPICUNHtv3O9TwSYEZRtDyfzhKFcfOu-4eQODJdeywEvKpBK517WT2kxK8GwwHqxL7J4b1Xv6yEcd7GbfYU2bfbKTDykg2KmYviowuTQ0Jq0g2n4Hy3KbPn9NvQcrgtUraodsE-WJqgFlzydHvjLh0kQOn1WMqqR2d0_AgCNsyppTygFsEWl6wF5hdhtGis9Xgb8v52zM9ko4WQ8aG_SSyMXQHWPPine_2XBEJkehRSyxIZpcrmZjuidNqxj2EXH-fZPjVyBIzsX_ENcjjqDRLAUBY7_Y0b2NAcW1laNxN2z_Mr6HZSE4mdp4Az38UhmTZgMECqd6SMdQ2lnTWMvNbZTzoKaoTTnR2PfIYEw90VS9j
height: 3060
width: 4080
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHoT06UQotPMr1LdzsspSlXAEgjrWa2Hn5Y-nFgRjh2IxKp8Ei73hqBT5fEQZeeXzSANz6ANXIgj7hJ5XdJlvQt_UgplyNI8fNE6HE4c0W832_IxSbyrKfeyAlmtVPOhiFQ2P2kjIbWfhnXcW868T8ai8tlMHGiYLMjxYUIJ5tETcdAd0FyGwzgUbiisceoV5w4jc5JqfGgc4NK5WotWvYb9KFAuKOLgIMM0MyjTgDuTLjH3RKotPyjDqA0I73VBWQcO_62llX3wHDlUfkQUEtLuI32v54LZv9GiKIrDGbnx-k5FOO_kru5TYSj5_hiRRRSGK5aHjsCLxkN3JmTnrbf0hRPRutxR9nIJJzhpeH7q6wS7EI3hIndN2TYreeJYV8rjinxIUkPBvMYr9vuZrvr5fQoMYSxEq6fgcoFWX0k
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHp38aP8IfZvgzv0wAC9fKcuTFAoSgWRXfbIJuh83Fz7KyEzYVBH1q0tm5bSqs4qbIkfkdg47cqrD4-jj5qKHxzGFG3T-kCOEBz6aPyAmBfmJNt4RUAs70NNykrzbYUQV8oIFLjB-3NZhQ_1t_bs2rZbj1Xm5xU0-VU3W4sOFalHLGRxopEKByfAzkiGuRhnhDtQindVGk1HUJd3LjdSJx0vSBPKA0RYrAGQ9XCeiyn_8r_qh_hdAZVN4zxBlcmZGxaebBH7oRtddf-6e_wypYuQWYU8RH7wbWDxjca8CrgkBf2QYnbp82ne6pGddvMJxXkjPiDWfhLtq9acxYcP7uSNCYbRsW3Ch-dTqA51Pm6jkEVgIN77ZRpWmXimKB26dZoFNfRZu-5jjExE34mJxSXhgzhhzvyaVbbU4AKs247qz4re
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHopDHvO8AaK_G640UhSfqWpfUaS_4RhdtxNQjddEz_5AITnO6pRmrevWb0c9i8zLkonkdURPh6Sx4cYu7Pkj7yCXzOMDS5yPrtAImd8qejTn9THXu4rY34iPOCfoy3PAw4KSdTAhH7trx8w7tSgkjSEI_QmgTJn8W6cE_aIiWFxWiAjaRVTh2LF_RZVzuQuE7jVJv6_6vV5w0aPN7fgyPjxAuxKs9x86iT0Tj6zXRz1Ri9cM_pDyoZdk8ChS6DzYILsffR3z0SDmdmTxuajJ9QHdVqADtIje-n4LkJ059fzauBAfEAHctiiDoQ1yIXigcrMoML84KeuXVTtcxoyAHLN3pFo9RdeN-PveeY7vreybvaATgxu8zXPlcp_TO44_1N7RQ2JJqPKInJGwb6UYHWYwitSkKsyqUpexUZjdXJQi74
height: 277
width: 866
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHquZOeppbRdV9SS6RllU0deJ7Aewe0l8mnKFRuGqqlK6CKakfP9fQVHEEpjAZGQAz7OVCOaemp4dTGeB5_oakac7TjuVnbjtOL7Ac0KTilgd2B8p-w3Ys_lf1fJuvvtxDkIzhqf0NKddB5apI5q2oRVrXLD5OFD0HMP4KXlbusuAzbEQJp5oLUmRN_TMpD8uFRBcouordNzvIjiLVqdEI_3OCc9lx-JGRPG7L6te1mhrIn7f-3a0TxcBAjW3iNC6re1aJiz8MY9kGkRNQgtqqHoku-YFBVzmRAYeXVSTNRO4hphYhso3Y-w9oBlP9iPougDRDwRccHBwplVaonLwOifPXo3X1NqDqX9727kKUqoyfX1zjleE6doYHkPPFD92XEsFwnjSfq4O0OH1D6NHqp4LQkSpXaFb4mpTJSc-h8tgqk
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHr24x2f55hagVDKv_PRiTDRmhuLDu5asXn4batwZZhQ_81TBLt5GNfycnUvKu0eNhGwzvbXiLvssbjtfEuPICUNHtv3O9TwSYEZRtDyfzhKFcfOu-4eQODJdeywEvKpBK517WT2kxK8GwwHqxL7J4b1Xv6yEcd7GbfYU2bfbKTDykg2KmYviowuTQ0Jq0g2n4Hy3KbPn9NvQcrgtUraodsE-WJqgFlzydHvjLh0kQOn1WMqqR2d0_AgCNsyppTygFsEWl6wF5hdhtGis9Xgb8v52zM9ko4WQ8aG_SSyMXQHWPPine_2XBEJkehRSyxIZpcrmZjuidNqxj2EXH-fZPjVyBIzsX_ENcjjqDRLAUBY7_Y0b2NAcW1laNxN2z_Mr6HZSE4mdp4Az38UhmTZgMECqd6SMdQ2lnTWMvNbZTzoKaoTTnR2PfIYEw90VS9j
height: 3060
width: 4080
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHoT06UQotPMr1LdzsspSlXAEgjrWa2Hn5Y-nFgRjh2IxKp8Ei73hqBT5fEQZeeXzSANz6ANXIgj7hJ5XdJlvQt_UgplyNI8fNE6HE4c0W832_IxSbyrKfeyAlmtVPOhiFQ2P2kjIbWfhnXcW868T8ai8tlMHGiYLMjxYUIJ5tETcdAd0FyGwzgUbiisceoV5w4jc5JqfGgc4NK5WotWvYb9KFAuKOLgIMM0MyjTgDuTLjH3RKotPyjDqA0I73VBWQcO_62llX3wHDlUfkQUEtLuI32v54LZv9GiKIrDGbnx-k5FOO_kru5TYSj5_hiRRRSGK5aHjsCLxkN3JmTnrbf0hRPRutxR9nIJJzhpeH7q6wS7EI3hIndN2TYreeJYV8rjinxIUkPBvMYr9vuZrvr5fQoMYSxEq6fgcoFWX0k
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHp38aP8IfZvgzv0wAC9fKcuTFAoSgWRXfbIJuh83Fz7KyEzYVBH1q0tm5bSqs4qbIkfkdg47cqrD4-jj5qKHxzGFG3T-kCOEBz6aPyAmBfmJNt4RUAs70NNykrzbYUQV8oIFLjB-3NZhQ_1t_bs2rZbj1Xm5xU0-VU3W4sOFalHLGRxopEKByfAzkiGuRhnhDtQindVGk1HUJd3LjdSJx0vSBPKA0RYrAGQ9XCeiyn_8r_qh_hdAZVN4zxBlcmZGxaebBH7oRtddf-6e_wypYuQWYU8RH7wbWDxjca8CrgkBf2QYnbp82ne6pGddvMJxXkjPiDWfhLtq9acxYcP7uSNCYbRsW3Ch-dTqA51Pm6jkEVgIN77ZRpWmXimKB26dZoFNfRZu-5jjExE34mJxSXhgzhhzvyaVbbU4AKs247qz4re
height: 4160
width: 3120
- name: places/ChIJJ7N0t97eopURrFKAVVFECvE/photos/AZLasHopDHvO8AaK_G640UhSfqWpfUaS_4RhdtxNQjddEz_5AITnO6pRmrevWb0c9i8zLkonkdURPh6Sx4cYu7Pkj7yCXzOMDS5yPrtAImd8qejTn9THXu4rY34iPOCfoy3PAw4KSdTAhH7trx8w7tSgkjSEI_QmgTJn8W6cE_aIiWFxWiAjaRVTh2LF_RZVzuQuE7jVJv6_6vV5w0aPN7fgyPjxAuxKs9x86iT0Tj6zXRz1Ri9cM_pDyoZdk8ChS6DzYILsffR3z0SDmdmTxuajJ9QHdVqADtIje-n4LkJ059fzauBAfEAHctiiDoQ1yIXigcrMoML84KeuXVTtcxoyAHLN3pFo9RdeN-PveeY7vreybvaATgxu8zXPlcp_TO44_1N7RQ2JJqPKInJGwb6UYHWYwitSkKsyqUpexUZjdXJQi74
height: 277
width: 866
google_maps_url: https://maps.google.com/?cid=17368770029025252012&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -94,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Florentino Ameghino
@ -114,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: La Plata
@ -134,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295131+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295131+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -149,7 +161,8 @@ wikidata_enrichment:
description: biblioteca popular en La Plata, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
enrichment_method: manual_wikidata_lookup
notes: Wikidata location (La Plata) matches YAML; Google Maps shows Luis Guillon which may be a different branch or data error
notes: Wikidata location (La Plata) matches YAML; Google Maps shows Luis Guillon which may be a different branch or data
error
_provenance:
content_hash:
algorithm: sha256
@ -192,35 +205,34 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/104063463975737387474/reviews
rating: 5
relative_time_description: 10 months ago
text: 'The Live Music Bar 💜💜
A place we love, for the whole family. There are options for all tastes. The people are wonderful!'
text: |-
The Live Music Bar 💜💜
A place we love, for the whole family. There are options for all tastes. The people are wonderful!
publish_time: '2025-01-24T19:16:01.181030Z'
- author_name: Amanda Mabel Font
author_uri: https://www.google.com/maps/contrib/116823962916355279228/reviews
rating: 5
relative_time_description: 6 years ago
text: I used to go there when I was younger. Last Saturday I went to a book launch. I was delighted with how well-maintained and improved this space is. I'll be rejoining this week.
text: I used to go there when I was younger. Last Saturday I went to a book launch. I was delighted with how well-maintained
and improved this space is. I'll be rejoining this week.
publish_time: '2019-11-19T23:44:04.030754Z'
- author_name: leonardo silva
author_uri: https://www.google.com/maps/contrib/109081656860584879050/reviews
rating: 5
relative_time_description: 10 months ago
text: Beautiful place, with many artistic offerings and a great family atmosphere. Highly recommended for both adults and children.
text: Beautiful place, with many artistic offerings and a great family atmosphere. Highly recommended for both adults
and children.
publish_time: '2025-01-24T19:08:27.625061Z'
- author_name: Jorge Luis Flores Ochoa
author_uri: https://www.google.com/maps/contrib/107793487626712188642/reviews
rating: 4
relative_time_description: 2 years ago
text: 'Excellent place, very good service, highly recommended to go read, play chess.
text: |-
Excellent place, very good service, highly recommended to go read, play chess.
Beautiful, well-kept park with leafy trees, ideal for relaxing and pampering yourself for a while.
A variety of books can be paid with market payment fees.
Very very nice...there are also various workshops to consult right there.
In the summer I participated in the organic garden.'
In the summer I participated in the organic garden.
publish_time: '2023-08-08T15:41:03.553945Z'
- author_name: Camila Gomez
author_uri: https://www.google.com/maps/contrib/106543366248538914927/reviews
@ -259,7 +271,12 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: 'The Google Maps candidate is a very strong match. 1. Name: ''Popular Library Florentino'' is a direct translation and abbreviation of ''Biblioteca Popular Florentino Ameghino'' (Popular Library Florentino Ameghino). The core elements are identical. 2. Location: The address ''Florentino Ameghino 1628'' clearly contains the institution''s full name, which is a highly specific and common practice in Argentina for naming streets after the institutions located on them. This confirms the location match. 3. Type: The institution is a library (''Biblioteca''), and the candidate''s primary type is ''library'', which is a perfect match.'
reasoning: 'The Google Maps candidate is a very strong match. 1. Name: ''Popular Library Florentino'' is a direct translation
and abbreviation of ''Biblioteca Popular Florentino Ameghino'' (Popular Library Florentino Ameghino). The core elements
are identical. 2. Location: The address ''Florentino Ameghino 1628'' clearly contains the institution''s full name,
which is a highly specific and common practice in Argentina for naming streets after the institutions located on them.
This confirms the location match. 3. Type: The institution is a library (''Biblioteca''), and the candidate''s primary
type is ''library'', which is a perfect match.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -92,9 +92,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953229+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953229+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -103,8 +106,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular 25 de Mayo
@ -112,9 +115,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953229+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953229+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -122,9 +128,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953229+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953229+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Las Flores
@ -132,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.953229+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.953229+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -189,11 +201,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111978243503993254277/reviews
rating: 5
relative_time_description: 8 years ago
text: 'The 25 de Mayo Public Library was founded on August 12, 1928, at the initiative of a group of members of the 25 de Mayo Social and Sports Club. In January 1929, the library was recognized by the National Commission for the Protection of Public Libraries (CONABIP), benefiting from the benefits it offers to public libraries.
text: |-
The 25 de Mayo Public Library was founded on August 12, 1928, at the initiative of a group of members of the 25 de Mayo Social and Sports Club. In January 1929, the library was recognized by the National Commission for the Protection of Public Libraries (CONABIP), benefiting from the benefits it offers to public libraries.
Soon, due to its growth, the library became independent from the club, operating in various locations until, in 1965, it obtained its permanent location, thanks to the generosity of Engineer Luis Fiore, who donated the property that the institution occupies today. A two-story building, located in the city center.
From its beginnings until today, our library has continued to grow, becoming the most important documentation, reading, and reference center in the area, with a significant bibliographic collection of more than 30,000 titles.'
From its beginnings until today, our library has continued to grow, becoming the most important documentation, reading, and reference center in the area, with a significant bibliographic collection of more than 30,000 titles.
publish_time: '2017-05-23T01:20:04.042Z'
- author_name: Nicolás Fernández
author_uri: https://www.google.com/maps/contrib/117695926808492688785/reviews
@ -250,7 +261,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: 'The Google Maps candidate is a very strong match for the institution. 1. The names are identical: ''Biblioteca Popular 25 de Mayo''. 2. The location is consistent. While a specific city was not provided for the institution, the candidate''s address in Las Flores, Provincia de Buenos Aires, Argentina, is a specific location within the country (AR). 3. The type is a perfect match. The institution is a ''library'' type, and the Google Maps candidate is explicitly categorized with the ''library'' type.'
reasoning: 'The Google Maps candidate is a very strong match for the institution. 1. The names are identical: ''Biblioteca
Popular 25 de Mayo''. 2. The location is consistent. While a specific city was not provided for the institution, the
candidate''s address in Las Flores, Provincia de Buenos Aires, Argentina, is a specific location within the country
(AR). 3. The type is a perfect match. The institution is a ''library'' type, and the Google Maps candidate is explicitly
categorized with the ''library'' type.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '1232'
identifier_url: https://www.conabip.gob.ar/biblioteca/1232
- &id001
identifier_scheme: CONABIP
identifier_value: '1232'
identifier_url: https://www.conabip.gob.ar/biblioteca/1232
locations:
- city: Lincoln
region: BUENOS AIRES
country: AR
latitude: -35.140517
longitude: -61.97195
- city: Lincoln
region: BUENOS AIRES
country: AR
latitude: -35.140517
longitude: -61.97195
processing_timestamp: '2025-12-06T23:36:13.492533+00:00'
ghcid:
ghcid_current: AR-B-LIN-L-BPJI
@ -28,29 +28,29 @@ ghcid:
city_code: LIN
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-LIN-L-BPJI
valid_from: '2025-12-10T10:00:36.977250+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LIN-L-BPJI
ghcid_numeric: 11203032232602566669
valid_from: '2025-12-06T23:36:13.492533+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-LIN-L-BPJI
valid_from: '2025-12-10T10:00:36.977250+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LIN-L-BPJI
ghcid_numeric: 11203032232602566669
valid_from: '2025-12-06T23:36:13.492533+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Jose Ingenieros
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-LIN-L-BPJI
- identifier_scheme: GHCID_UUID
identifier_value: c0f8f43c-964a-5569-a5cc-dece4798225b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 9b792a75-9787-800d-8c89-39dbc2e99af2
- identifier_scheme: GHCID_NUMERIC
identifier_value: '11203032232602566669'
- identifier_scheme: RECORD_ID
identifier_value: 20e779d1-9678-4a7d-a614-43f3eab5896f
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-LIN-L-BPJI
- identifier_scheme: GHCID_UUID
identifier_value: c0f8f43c-964a-5569-a5cc-dece4798225b
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 9b792a75-9787-800d-8c89-39dbc2e99af2
- identifier_scheme: GHCID_NUMERIC
identifier_value: '11203032232602566669'
- identifier_scheme: RECORD_ID
identifier_value: 20e779d1-9678-4a7d-a614-43f3eab5896f
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:02Z: Maps: Biblioteca Popular José Ingenieros (conf: 0.85); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:53Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:45Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:02Z: Maps: Biblioteca Popular José Ingenieros (conf: 0.85); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:53Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:45Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.763440+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.763454+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952469+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952469+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Jose Ingenieros
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952469+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952469+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Lincoln
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952469+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Jose Ingenieros
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952469+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952469+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lincoln
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952469+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.492533+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Jose Ingenieros
description: biblioteca popular en Lincoln, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -177,54 +189,54 @@ google_maps_enrichment:
phone_local: 011 4857-6404
phone_international: +54 11 4857-6404
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.9
total_ratings: 11
reviews:
- author_name: Demia Wayne
author_uri: https://www.google.com/maps/contrib/109004655113148402561/reviews
rating: 5
relative_time_description: 4 years ago
text: A historic site of Argentine anarchism!!! Harmony... Fraternity and Liberty!!!
publish_time: '2021-04-02T01:01:00.251240Z'
- author_name: Pedro Rossignoli
author_uri: https://www.google.com/maps/contrib/112263061037645984320/reviews
rating: 5
relative_time_description: 2 years ago
text: The torch of libertarian memory
publish_time: '2023-05-23T02:23:36.289623Z'
- author_name: Brett alarcon rojas
author_uri: https://www.google.com/maps/contrib/113965812757941875840/reviews
rating: 5
relative_time_description: 2 years ago
text: Incredible! Very good files.
publish_time: '2023-05-22T14:43:44.290609Z'
- author_name: Hernan Bergstein
author_uri: https://www.google.com/maps/contrib/108538079928885104145/reviews
rating: 5
relative_time_description: 7 years ago
text: Excellent public library
publish_time: '2017-12-27T04:55:14.790Z'
- author_name: Patricia Timo
author_uri: https://www.google.com/maps/contrib/113029832099329520805/reviews
rating: 4
relative_time_description: 4 months ago
text:
publish_time: '2025-07-22T15:10:11.929861248Z'
- author_name: Demia Wayne
author_uri: https://www.google.com/maps/contrib/109004655113148402561/reviews
rating: 5
relative_time_description: 4 years ago
text: A historic site of Argentine anarchism!!! Harmony... Fraternity and Liberty!!!
publish_time: '2021-04-02T01:01:00.251240Z'
- author_name: Pedro Rossignoli
author_uri: https://www.google.com/maps/contrib/112263061037645984320/reviews
rating: 5
relative_time_description: 2 years ago
text: The torch of libertarian memory
publish_time: '2023-05-23T02:23:36.289623Z'
- author_name: Brett alarcon rojas
author_uri: https://www.google.com/maps/contrib/113965812757941875840/reviews
rating: 5
relative_time_description: 2 years ago
text: Incredible! Very good files.
publish_time: '2023-05-22T14:43:44.290609Z'
- author_name: Hernan Bergstein
author_uri: https://www.google.com/maps/contrib/108538079928885104145/reviews
rating: 5
relative_time_description: 7 years ago
text: Excellent public library
publish_time: '2017-12-27T04:55:14.790Z'
- author_name: Patricia Timo
author_uri: https://www.google.com/maps/contrib/113029832099329520805/reviews
rating: 4
relative_time_description: 4 months ago
text: null
publish_time: '2025-07-22T15:10:11.929861248Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: Closed'
- 'Tuesday: Closed'
- 'Wednesday: Closed'
- 'Thursday: 4:009:00PM'
- 'Friday: Closed'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: Closed'
- 'Tuesday: Closed'
- 'Wednesday: Closed'
- 'Thursday: 4:009:00PM'
- 'Friday: Closed'
- 'Saturday: Closed'
- 'Sunday: Closed'
google_maps_url: https://maps.google.com/?cid=5708240731456814740&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -75,7 +75,8 @@ provenance:
confidence_score: 1.0
notes:
- Removed incorrect wikidata_enrichment on 2025-12-08T08:18:21.102541+00:00.
- 'YouTube/Google Maps enrichment 2025-12-08T18:33:04Z: Maps: Biblioteca Popular Municipal Domingo F. Sarmiento (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:33:04Z: Maps: Biblioteca Popular Municipal Domingo F. Sarmiento (conf: 1.00);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:33:29Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:35:54Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:46:30Z: YouTube: not found'
@ -117,9 +118,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295366+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295366+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -128,8 +132,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Municipal Domingo Faustino Sarmiento
@ -137,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295366+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295366+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -147,9 +154,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295366+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295366+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lincoln
@ -157,9 +167,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295366+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295366+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q16941610
@ -167,9 +180,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q16941610
timestamp: '2025-11-17T17:00:42.295366+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295366+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -225,7 +241,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
wikidata_instance_of: *id003
wikidata_location:
coordinates: &id006
@ -290,23 +307,24 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111539245663146564410/reviews
rating: 5
relative_time_description: 5 years ago
text: Beautiful building, with a Braille room, bookbinding services, a children's room, and a main room. Always staffed by exceptionally friendly personnel! Highly recommended.
text: Beautiful building, with a Braille room, bookbinding services, a children's room, and a main room. Always staffed
by exceptionally friendly personnel! Highly recommended.
publish_time: '2020-11-12T15:27:47.380740Z'
- author_name: Mirta Machicote
author_uri: https://www.google.com/maps/contrib/109594063845707406569/reviews
rating: 5
relative_time_description: 3 years ago
text: 'Excellent service from all the librarians. They are helpful, friendly, and responsible.
text: |-
Excellent service from all the librarians. They are helpful, friendly, and responsible.
The librarian always has the latest books published.
IT''S A LUXURY TO HAVE THIS LIBRARY AND ITS EXCEPTIONAL STAFF.'
IT'S A LUXURY TO HAVE THIS LIBRARY AND ITS EXCEPTIONAL STAFF.
publish_time: '2022-08-26T19:20:17.686840Z'
- author_name: WALTER ANIBAL
author_uri: https://www.google.com/maps/contrib/106377258868095589392/reviews
rating: 5
relative_time_description: 2 years ago
text: They are excellent, always willing to help, the atmosphere is very warm; the students ask questions and the librarians are always there. Thank God there are these people who love books and provide help. Thank you.
text: They are excellent, always willing to help, the atmosphere is very warm; the students ask questions and the librarians
are always there. Thank God there are these people who love books and provide help. Thank you.
publish_time: '2023-10-03T20:12:45.258749Z'
- author_name: Natalia Speroni
author_uri: https://www.google.com/maps/contrib/114088570375296315331/reviews
@ -318,7 +336,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/114223034972499080563/reviews
rating: 5
relative_time_description: 4 years ago
text: The most beautiful thing about Lincoln...more than 130 years...more than 40,000 titles...the best service...we look forward to seeing you!!!
text: The most beautiful thing about Lincoln...more than 130 years...more than 40,000 titles...the best service...we look
forward to seeing you!!!
publish_time: '2021-03-02T15:54:38.420503Z'
opening_hours:
open_now: true
@ -352,7 +371,12 @@ google_maps_enrichment:
is_match: true
confidence: 1.0
entity_type: GRP.HER
reasoning: 'The Google Maps candidate is a strong match for the source institution. 1. Name Match: The names ''Biblioteca Popular Municipal Domingo Faustino Sarmiento'' and ''Biblioteca Popular Municipal Domingo F. Sarmiento'' are a perfect match, with the candidate using a common abbreviation for ''Faustino''. 2. Location Match: The address ''Av. Massey 1439, Lincoln, Provincia de Buenos Aires, Argentina'' confirms the location is in Lincoln, Argentina. 3. Type Match: The Google Place type ''library'' is on the list of expected types for a GRP.HER (Heritage Institution). 4. Entity Type: Based on its name, type, and function, it is a public library and therefore a Heritage Custodian institution.'
reasoning: 'The Google Maps candidate is a strong match for the source institution. 1. Name Match: The names ''Biblioteca
Popular Municipal Domingo Faustino Sarmiento'' and ''Biblioteca Popular Municipal Domingo F. Sarmiento'' are a perfect
match, with the candidate using a common abbreviation for ''Faustino''. 2. Location Match: The address ''Av. Massey
1439, Lincoln, Provincia de Buenos Aires, Argentina'' confirms the location is in Lincoln, Argentina. 3. Type Match:
The Google Place type ''library'' is on the list of expected types for a GRP.HER (Heritage Institution). 4. Entity Type:
Based on its name, type, and function, it is a public library and therefore a Heritage Custodian institution.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:46:01Z: Maps: Biblioteca Popular Albino Capponi (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:46:01Z: Maps: Biblioteca Popular Albino Capponi (conf: 1.00); YouTube: not
found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:51:20Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:29Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:02:00Z: YouTube: not found'
@ -118,9 +119,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952301+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952301+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -129,8 +133,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Albino Capponi
@ -138,9 +142,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952301+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952301+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -148,9 +155,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952301+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952301+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lobos
@ -158,9 +168,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952301+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952301+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -215,7 +228,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/114926619220755417377/reviews
rating: 5
relative_time_description: 6 years ago
text: A very beautiful building steeped in history. It houses a public library and workshop space open to the community. It's one of the stops on the guided tour offered by the City Hall every Saturday at 4 p.m.
text: A very beautiful building steeped in history. It houses a public library and workshop space open to the community.
It's one of the stops on the guided tour offered by the City Hall every Saturday at 4 p.m.
publish_time: '2019-04-28T10:53:20.004857Z'
- author_name: Jorge Perez
author_uri: https://www.google.com/maps/contrib/113621354568067398650/reviews
@ -239,7 +253,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/113366674930503073396/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-06-12T23:44:49.363801Z'
photo_count: 7
photos_metadata:
@ -262,7 +276,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The match is certain. The name 'Biblioteca Popular Albino Capponi' is an exact match. The location is consistent, with the address confirming it is in the city of Lobos in Argentina. The type 'library' matches the institution's name, which translates to 'Albino Capponi Popular Library'.
reasoning: The match is certain. The name 'Biblioteca Popular Albino Capponi' is an exact match. The location is consistent,
with the address confirming it is in the city of Lobos in Argentina. The type 'library' matches the institution's name,
which translates to 'Albino Capponi Popular Library'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '175'
identifier_url: https://www.conabip.gob.ar/biblioteca/175
- &id001
identifier_scheme: CONABIP
identifier_value: '175'
identifier_url: https://www.conabip.gob.ar/biblioteca/175
locations:
- city: Lobos
region: BUENOS AIRES
country: AR
latitude: -35.16975
longitude: -59.0992
- city: Lobos
region: BUENOS AIRES
country: AR
latitude: -35.16975
longitude: -59.0992
processing_timestamp: '2025-12-06T23:34:13.108064+00:00'
ghcid:
ghcid_current: AR-B-LOB-L-BPLDFS
@ -28,29 +28,29 @@ ghcid:
city_code: LOB
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-LOB-L-BPLDFS
valid_from: '2025-12-10T10:00:37.104545+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LOB-L-BPLDFS
ghcid_numeric: 15419498340445952034
valid_from: '2025-12-06T23:34:13.108064+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-LOB-L-BPLDFS
valid_from: '2025-12-10T10:00:37.104545+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LOB-L-BPLDFS
ghcid_numeric: 15419498340445952034
valid_from: '2025-12-06T23:34:13.108064+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Lobense Domingo Faustino Sarmiento
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-LOB-L-BPLDFS
- identifier_scheme: GHCID_UUID
identifier_value: a5c930e5-1d17-5dbf-bc19-9b1613628b6c
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d5fd100b-6d01-8822-08a1-464f23b56794
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15419498340445952034'
- identifier_scheme: RECORD_ID
identifier_value: a828ca85-54e9-4e86-8ecf-b5ad524592e8
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-LOB-L-BPLDFS
- identifier_scheme: GHCID_UUID
identifier_value: a5c930e5-1d17-5dbf-bc19-9b1613628b6c
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d5fd100b-6d01-8822-08a1-464f23b56794
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15419498340445952034'
- identifier_scheme: RECORD_ID
identifier_value: a828ca85-54e9-4e86-8ecf-b5ad524592e8
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:11Z: Maps: Popular, Municipal and Public Library "Domingo Faustino
Sarmiento" (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:54Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:47Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:11Z: Maps: Popular, Municipal and Public Library "Domingo Faustino Sarmiento"
(conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:54Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:47Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.853328+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.853343+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295320+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295320+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Lobense Domingo Faustino Sarmiento
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295320+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295320+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Lobos
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295320+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Lobense Domingo Faustino Sarmiento
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295320+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295320+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lobos
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295320+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.108064+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Lobense Domingo Faustino Sarmiento
description: biblioteca popular en Lobos, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -177,79 +189,78 @@ google_maps_enrichment:
phone_international: +54 11 4664-1840
website: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 57
reviews:
- author_name: Matias Gomez
author_uri: https://www.google.com/maps/contrib/117485487586499079868/reviews
rating: 5
relative_time_description: 3 months ago
text: Very good experience, variety of books and good service
publish_time: '2025-09-02T14:30:32.336932652Z'
- author_name: Ludmila Quintana
author_uri: https://www.google.com/maps/contrib/110370185444309555509/reviews
rating: 5
relative_time_description: 2 months ago
text: Hello! How can I contact the library?
publish_time: '2025-09-11T15:53:08.017192688Z'
- author_name: Brenda Choque
author_uri: https://www.google.com/maps/contrib/118091852955878440534/reviews
rating: 5
relative_time_description: 6 years ago
text: '"I went looking for copper and found gold." Although it''s not a large space, it''s quiet and pleasant enough
to study. The librarians are very friendly, and there''s plenty of study materials available. You can easily bring
your laptop, as they have a good Wi-Fi connection. And the bulletin boards feature tons of posters about tutoring
in various subjects and even international English exams.'
publish_time: '2018-12-15T02:59:46.841199Z'
- author_name: Julia Tomassi
author_uri: https://www.google.com/maps/contrib/118352545784026175547/reviews
rating: 5
relative_time_description: 2 years ago
text: 'The most important library in my city. With a wide selection of books. You only need to join and pay a small
monthly fee to borrow books.
Anyone can check them out at the library, even if they''re not a member. A very important service for the entire community.'
publish_time: '2023-08-11T18:42:03.172352Z'
- author_name: María Laura Chávez Martínez
author_uri: https://www.google.com/maps/contrib/108668540746477824728/reviews
rating: 5
relative_time_description: 3 years ago
text: A very nice place, the people are always friendly, and you can become a member for a nominal fee and take books
home and then return them when you're finished. It had a director and a teacher, and many more boring people who passed
away long ago. Alma... she was the heart of the library, but she left a beautiful legacy.
publish_time: '2022-08-24T18:05:16.095413Z'
- author_name: Matias Gomez
author_uri: https://www.google.com/maps/contrib/117485487586499079868/reviews
rating: 5
relative_time_description: 3 months ago
text: Very good experience, variety of books and good service
publish_time: '2025-09-02T14:30:32.336932652Z'
- author_name: Ludmila Quintana
author_uri: https://www.google.com/maps/contrib/110370185444309555509/reviews
rating: 5
relative_time_description: 2 months ago
text: Hello! How can I contact the library?
publish_time: '2025-09-11T15:53:08.017192688Z'
- author_name: Brenda Choque
author_uri: https://www.google.com/maps/contrib/118091852955878440534/reviews
rating: 5
relative_time_description: 6 years ago
text: '"I went looking for copper and found gold." Although it''s not a large space, it''s quiet and pleasant enough to
study. The librarians are very friendly, and there''s plenty of study materials available. You can easily bring your
laptop, as they have a good Wi-Fi connection. And the bulletin boards feature tons of posters about tutoring in various
subjects and even international English exams.'
publish_time: '2018-12-15T02:59:46.841199Z'
- author_name: Julia Tomassi
author_uri: https://www.google.com/maps/contrib/118352545784026175547/reviews
rating: 5
relative_time_description: 2 years ago
text: |-
The most important library in my city. With a wide selection of books. You only need to join and pay a small monthly fee to borrow books.
Anyone can check them out at the library, even if they're not a member. A very important service for the entire community.
publish_time: '2023-08-11T18:42:03.172352Z'
- author_name: María Laura Chávez Martínez
author_uri: https://www.google.com/maps/contrib/108668540746477824728/reviews
rating: 5
relative_time_description: 3 years ago
text: A very nice place, the people are always friendly, and you can become a member for a nominal fee and take books
home and then return them when you're finished. It had a director and a teacher, and many more boring people who passed
away long ago. Alma... she was the heart of the library, but she left a beautiful legacy.
publish_time: '2022-08-24T18:05:16.095413Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 9:00AM5:00PM'
- 'Tuesday: 9:00AM5:00PM'
- 'Wednesday: 9:00AM5:00PM'
- 'Thursday: 9:00AM5:00PM'
- 'Friday: 9:00AM5:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 9:00AM5:00PM'
- 'Tuesday: 9:00AM5:00PM'
- 'Wednesday: 9:00AM5:00PM'
- 'Thursday: 9:00AM5:00PM'
- 'Friday: 9:00AM5:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 6
photos_metadata:
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHrRVqQAd5L91GRJUInHtgriamumpxWbVQTPgO9zEcpX04skfkemQ3RusI8F_vyqzGuvMQwF1ZVilGxjfUDkk_AeYma9qqvt9dvNbGRiOydPJIWU1gM4xKBrM8oT0dZo95gcGRVf9DdQsPbGmIeu1acQsFmM42Xxs3fWQxYZLSHQRAywL-0LcqrCpwjErl3ZaSzxzoDEtOcEOjn0OBXWKJ14gZewk8_eYixhIJDNIn4nXUSmxARnut_ZKwx7yctoZc1-AB2CI7r1CIY5lo0vCHakIgKYFpP_IOvBukpcGX7Awnfqp78YmbUrQJmjtODWuw9V0l8AU3kZZz6l20sjNS9jpUEKb9roRbjM5YCfru9T0UWa6rDEISeKB07BIEejiDVs0lgHChT4BgLECmxExYJtO4HXrVf-9Wf5Xwe0BkanV-sN
height: 4080
width: 2296
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHpbsYMhWPOMDdrAooE2SWKutCKYsl5NITuRbpZ5TX2G3yX8L9fxDBv3XaDhZwH7OywzzNv52xlXb-b1EpDDjHQysd8apmoX5RbuPRezD0807VtAlPPLCPg0kQMXtTa6khJKAx4mF0Aclc-gqyVW_vlQCNxvPh3Bg40v_ZPNMWOzn0AOyw6BGNsCWbLJ6le6RflVYtdHFDekkmgn3awZGnlvE12CNC3ZYjWuFBY2kIhjrtiiGSXjMzogjfXpMnTQqqwQhecRhOq4GMTUbfBZgvYhkQgWM9TtcnQhzsLGKtWwwwRuuTYE_YAxa4YHAU7v72uC0jMaO0sm4_EvaoifJVPU3hBiV4_QSVClS307LD-UDBbyGRc4KcFDQ1pSWTNXkXNGUf_Ihyyo-wBocmQwKk35FqPVgrXOsAUZPz1xxtlJD19e
height: 1836
width: 3264
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHquEGHXFD5t9zT0rI8umW9wkos-StXTTUjYp88fbXG_uIuu_A5NyLdEiDZ3NR9F0kefu0eHZJzoz9MMGEoab20DPAFOBxaHB3SbL1YjejYzZQU2LXCvLUNGEQAmUj1cXE1qryAZ91i8FhRfFZ5Cfp5JcwYp7pFBsMqvyylG3acOtJvwmu9AJEUe26miQEqeYCGLmdGClPOavRdWxDSkPlIRQmq6IsozUyXOs068eQIil47xCElRvKAO3rS5cCMJT0yszYWfNX818wkM0dR6fPQMgntd4-pCBNBmdX8Pi8yixY6FN2mAcQFBuJeWY9fKil8Uy5YyNAh70yG11t_JjrCq8N4N89kwaNTsBZj8eOwDH20HDQLBuISR0AnZMFeX-wCgvYpU0mQJ51fM1vb0Y1s2TEv3hARZJOTKfo7jy6y90qob
height: 4080
width: 2296
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHpKHzX9NrJRHipVSPbFufMEJ9NXDxiJlKnNF7kro0WszIybC39cwcHyKK6X9a4NsIaOCrWQPxpTOnBs_cyOyYIHydFaz9_dYzJ_Db8VxX5yKesLsZmkH6NEaX_wN5mzbcZxm8WRE23u-n8NL4Yjlg9Lf9GSpKfNQ6kjgqSKbRCBkHTOYzelAH0lVkV3fRkttqbTUMiZptk0XCKdT0wZ2IW3NjH7HUbWCY6GB4PRXpx7EFULAMX15k3BB2G8FYGTeGosGRT4YggzKr1HQ69mM_UljTuGhxqjJUHoVBQgj__kGGoo3t9fV36M4lPoRQsLGFMz5OM4mFksZF95jWmscEflvWdoOvgtihUBbMMcJKAY-ufPTHquqATPfP9SyBQ8c8v4_92jL-pb8exH6EjCmqVpMuLy8GY6yjBwR66rdpI
height: 4000
width: 3000
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHq2rHVpVBFRLEyuwkgIrqJhfi5SW8_ryWcnDUxP3WqO6ZNL2gjMBw2Gf3xpKAE3UuObooabhOEY_O6Zwvv1YRbiIb3orsQVcLqoqfUsppd55GxOGrdn9GwrvnszswMwjixHMSkZEM-ZRGWYi_9xOdsqppeocMJwXeH_gHwW5626M9Ddp3hYbRFLE04X8uY4NbLDVdwkiDl9XPbpzk79lh9Gp7xv9QZkw7sgxsbqofOJKAvtDayBb050iX0lkKYyiPStbe6SM6owbnG463cCsmABCROx4KBMwkvcW1tO_jTcoW9l5P_1jd-h6oPSTcHBcBMFgrzz28Qbh_4p3js2wLIFxnZpZ5ACU9Gkc9G_Yf0BuRbDb4rNH_sdtUCwSjDvtrjQivV8xU5zAw5MyvLa7DgVxVyIMehtc1VqcI5wgaO-7TSp
height: 1080
width: 1080
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHrRVqQAd5L91GRJUInHtgriamumpxWbVQTPgO9zEcpX04skfkemQ3RusI8F_vyqzGuvMQwF1ZVilGxjfUDkk_AeYma9qqvt9dvNbGRiOydPJIWU1gM4xKBrM8oT0dZo95gcGRVf9DdQsPbGmIeu1acQsFmM42Xxs3fWQxYZLSHQRAywL-0LcqrCpwjErl3ZaSzxzoDEtOcEOjn0OBXWKJ14gZewk8_eYixhIJDNIn4nXUSmxARnut_ZKwx7yctoZc1-AB2CI7r1CIY5lo0vCHakIgKYFpP_IOvBukpcGX7Awnfqp78YmbUrQJmjtODWuw9V0l8AU3kZZz6l20sjNS9jpUEKb9roRbjM5YCfru9T0UWa6rDEISeKB07BIEejiDVs0lgHChT4BgLECmxExYJtO4HXrVf-9Wf5Xwe0BkanV-sN
height: 4080
width: 2296
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHpbsYMhWPOMDdrAooE2SWKutCKYsl5NITuRbpZ5TX2G3yX8L9fxDBv3XaDhZwH7OywzzNv52xlXb-b1EpDDjHQysd8apmoX5RbuPRezD0807VtAlPPLCPg0kQMXtTa6khJKAx4mF0Aclc-gqyVW_vlQCNxvPh3Bg40v_ZPNMWOzn0AOyw6BGNsCWbLJ6le6RflVYtdHFDekkmgn3awZGnlvE12CNC3ZYjWuFBY2kIhjrtiiGSXjMzogjfXpMnTQqqwQhecRhOq4GMTUbfBZgvYhkQgWM9TtcnQhzsLGKtWwwwRuuTYE_YAxa4YHAU7v72uC0jMaO0sm4_EvaoifJVPU3hBiV4_QSVClS307LD-UDBbyGRc4KcFDQ1pSWTNXkXNGUf_Ihyyo-wBocmQwKk35FqPVgrXOsAUZPz1xxtlJD19e
height: 1836
width: 3264
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHquEGHXFD5t9zT0rI8umW9wkos-StXTTUjYp88fbXG_uIuu_A5NyLdEiDZ3NR9F0kefu0eHZJzoz9MMGEoab20DPAFOBxaHB3SbL1YjejYzZQU2LXCvLUNGEQAmUj1cXE1qryAZ91i8FhRfFZ5Cfp5JcwYp7pFBsMqvyylG3acOtJvwmu9AJEUe26miQEqeYCGLmdGClPOavRdWxDSkPlIRQmq6IsozUyXOs068eQIil47xCElRvKAO3rS5cCMJT0yszYWfNX818wkM0dR6fPQMgntd4-pCBNBmdX8Pi8yixY6FN2mAcQFBuJeWY9fKil8Uy5YyNAh70yG11t_JjrCq8N4N89kwaNTsBZj8eOwDH20HDQLBuISR0AnZMFeX-wCgvYpU0mQJ51fM1vb0Y1s2TEv3hARZJOTKfo7jy6y90qob
height: 4080
width: 2296
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHpKHzX9NrJRHipVSPbFufMEJ9NXDxiJlKnNF7kro0WszIybC39cwcHyKK6X9a4NsIaOCrWQPxpTOnBs_cyOyYIHydFaz9_dYzJ_Db8VxX5yKesLsZmkH6NEaX_wN5mzbcZxm8WRE23u-n8NL4Yjlg9Lf9GSpKfNQ6kjgqSKbRCBkHTOYzelAH0lVkV3fRkttqbTUMiZptk0XCKdT0wZ2IW3NjH7HUbWCY6GB4PRXpx7EFULAMX15k3BB2G8FYGTeGosGRT4YggzKr1HQ69mM_UljTuGhxqjJUHoVBQgj__kGGoo3t9fV36M4lPoRQsLGFMz5OM4mFksZF95jWmscEflvWdoOvgtihUBbMMcJKAY-ufPTHquqATPfP9SyBQ8c8v4_92jL-pb8exH6EjCmqVpMuLy8GY6yjBwR66rdpI
height: 4000
width: 3000
- name: places/ChIJ3fISDA29vJUR-0jooUbPuUo/photos/AZLasHq2rHVpVBFRLEyuwkgIrqJhfi5SW8_ryWcnDUxP3WqO6ZNL2gjMBw2Gf3xpKAE3UuObooabhOEY_O6Zwvv1YRbiIb3orsQVcLqoqfUsppd55GxOGrdn9GwrvnszswMwjixHMSkZEM-ZRGWYi_9xOdsqppeocMJwXeH_gHwW5626M9Ddp3hYbRFLE04X8uY4NbLDVdwkiDl9XPbpzk79lh9Gp7xv9QZkw7sgxsbqofOJKAvtDayBb050iX0lkKYyiPStbe6SM6owbnG463cCsmABCROx4KBMwkvcW1tO_jTcoW9l5P_1jd-h6oPSTcHBcBMFgrzz28Qbh_4p3js2wLIFxnZpZ5ACU9Gkc9G_Yf0BuRbDb4rNH_sdtUCwSjDvtrjQivV8xU5zAw5MyvLa7DgVxVyIMehtc1VqcI5wgaO-7TSp
height: 1080
width: 1080
google_maps_url: https://maps.google.com/?cid=5384562731769153787&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -302,20 +313,20 @@ logo_enrichment:
source_url: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.cdninstagram.com/rsrc.php/v4/yG/r/De-Dwpd5CHc.png
source_url: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
css_selector: '[document] > html._9dls._ar44 > head > link:nth-of-type(6)'
retrieved_on: '2025-12-24T10:35:08.508188+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: 180x180
- claim_type: og_image_url
claim_value: https://scontent.cdninstagram.com/v/t51.2885-19/178662769_165623698812154_31517715601300636_n.jpg?stp=dst-jpg_s100x100_tt6&_nc_cat=100&ccb=7-5&_nc_sid=bf7eb4&efg=eyJ2ZW5jb2RlX3RhZyI6InByb2ZpbGVfcGljLnd3dy43ODIuQzMifQ%3D%3D&_nc_ohc=C0UYtZWB-zkQ7kNvwFbwx_S&_nc_oc=AdlfcZAeWsbQb9nQXFe4DWLpGRUc543YMDk6T6xhIzmnNdLOoeW45-nLPLkKXlSNyxs&_nc_zt=24&_nc_ht=scontent.cdninstagram.com&oh=00_AfkUNxp4JEMEx1M7KTcxSS4o4DUQ1w_jRoixU5fGCNG7fA&oe=695183DA
source_url: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
css_selector: '[document] > html._9dls._ar44 > head > meta:nth-of-type(10)'
retrieved_on: '2025-12-24T10:35:08.508188+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.cdninstagram.com/rsrc.php/v4/yG/r/De-Dwpd5CHc.png
source_url: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
css_selector: '[document] > html._9dls._ar44 > head > link:nth-of-type(6)'
retrieved_on: '2025-12-24T10:35:08.508188+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: 180x180
- claim_type: og_image_url
claim_value: https://scontent.cdninstagram.com/v/t51.2885-19/178662769_165623698812154_31517715601300636_n.jpg?stp=dst-jpg_s100x100_tt6&_nc_cat=100&ccb=7-5&_nc_sid=bf7eb4&efg=eyJ2ZW5jb2RlX3RhZyI6InByb2ZpbGVfcGljLnd3dy43ODIuQzMifQ%3D%3D&_nc_ohc=C0UYtZWB-zkQ7kNvwFbwx_S&_nc_oc=AdlfcZAeWsbQb9nQXFe4DWLpGRUc543YMDk6T6xhIzmnNdLOoeW45-nLPLkKXlSNyxs&_nc_zt=24&_nc_ht=scontent.cdninstagram.com&oh=00_AfkUNxp4JEMEx1M7KTcxSS4o4DUQ1w_jRoixU5fGCNG7fA&oe=695183DA
source_url: https://instagram.com/bibliosarmiento?igshid=MWZjMTM2ODFkZg==
css_selector: '[document] > html._9dls._ar44 > head > meta:nth-of-type(10)'
retrieved_on: '2025-12-24T10:35:08.508188+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '173'
identifier_url: https://www.conabip.gob.ar/biblioteca/173
- &id001
identifier_scheme: CONABIP
identifier_value: '173'
identifier_url: https://www.conabip.gob.ar/biblioteca/173
locations:
- city: Lomas de Zamora
region: BUENOS AIRES
country: AR
latitude: -34.761133
longitude: -58.401117
- city: Lomas de Zamora
region: BUENOS AIRES
country: AR
latitude: -34.761133
longitude: -58.401117
processing_timestamp: '2025-12-06T23:34:13.103678+00:00'
ghcid:
ghcid_current: AR-B-LOM-L-BPAM
@ -28,29 +28,29 @@ ghcid:
city_code: LOM
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-LOM-L-BPAM
valid_from: '2025-12-10T10:00:37.169288+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LOM-L-BPAM
ghcid_numeric: 15486061754439711451
valid_from: '2025-12-06T23:34:13.103678+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-LOM-L-BPAM
valid_from: '2025-12-10T10:00:37.169288+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-LOM-L-BPAM
ghcid_numeric: 15486061754439711451
valid_from: '2025-12-06T23:34:13.103678+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Antonio Mentruyt
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-LOM-L-BPAM
- identifier_scheme: GHCID_UUID
identifier_value: e839332b-964a-59d0-9a5d-01f3828fedbc
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d6e98b1d-f324-8adb-21d8-bb91352c8eee
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15486061754439711451'
- identifier_scheme: RECORD_ID
identifier_value: 734a0ae7-fd8d-4d66-ad06-293312f1d8f7
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-LOM-L-BPAM
- identifier_scheme: GHCID_UUID
identifier_value: e839332b-964a-59d0-9a5d-01f3828fedbc
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: d6e98b1d-f324-8adb-21d8-bb91352c8eee
- identifier_scheme: GHCID_NUMERIC
identifier_value: '15486061754439711451'
- identifier_scheme: RECORD_ID
identifier_value: 734a0ae7-fd8d-4d66-ad06-293312f1d8f7
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:16Z: Maps: Biblioteca Mentruyt (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:55Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:47Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:16Z: Maps: Biblioteca Mentruyt (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:55Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:47Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:05.889966+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:05.889980+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295226+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295226+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,45 +107,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Antonio Mentruyt
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295226+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295226+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Lomas de Zamora
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295226+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Antonio Mentruyt
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295226+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295226+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Lomas de Zamora
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295226+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.103678+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Antonio Mentruyt
description: biblioteca popular en Lomas de Zamora, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -176,92 +188,84 @@ google_maps_enrichment:
phone_international: +54 11 4244-0837
website: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.6
total_ratings: 103
reviews:
- author_name: Marcelo Meza
author_uri: https://www.google.com/maps/contrib/105232641984550566205/reviews
rating: 5
relative_time_description: 11 months ago
text: 'It''s the first library I''ve ever formally visited; it''s very well maintained and apparently has a wide variety
of courses for the public.
I needed to get away from the hustle and bustle, and the place did all that very well, as it conveyed a sense of peace
and calm, perhaps because of the holiday season.
Being my first time, I wasn''t sure what to choose, so I asked the librarian for a recommendation, and she gave me
two books, one of which I loved. I''ll be back soon to pick it up 💪🏻.
There are a good number of historical articles if you want to go look at them and take photos.
The bathroom is spotless and well maintained; it even had toilet paper.
Kudos to the librarian and the receptionist. I would have asked their names, but as I said, I''ll be back soon to
spend another peaceful hour filled with reading...'
publish_time: '2024-12-22T16:56:54.475302Z'
- author_name: Magalí Coria
author_uri: https://www.google.com/maps/contrib/101955700606116518994/reviews
rating: 5
relative_time_description: a year ago
text: I take violin lessons at the library. There's a great vibe and everyone is very friendly! They offer classes in
a variety of subjects. It's highly recommended. The building itself is a very beautiful old building, it needs a little
maintenance, but the rest is perfect. It's a nice place to study. Very welcoming.
publish_time: '2024-03-16T19:31:55.555928Z'
- author_name: Ángel Oscar Croce
author_uri: https://www.google.com/maps/contrib/106995078384201570438/reviews
rating: 5
relative_time_description: 2 years ago
text: Excellent service. The building is extraordinary, and the theater is spacious and welcoming. It houses incunabula.
It simply needs the community of Lomas de Zamora to visit more frequently and, of course, to support the institution,
for example, by attending performances or helping to acquire new books. Best regards.
publish_time: '2023-08-23T20:12:00.668457Z'
- author_name: Nahir Micaela Lera
author_uri: https://www.google.com/maps/contrib/116536914057647382195/reviews
rating: 4
relative_time_description: a year ago
text: The place is very comfortable, and they respect each other's silence. The only downside is that sometimes the
people using the tables don't clean them afterward, leaving food leftovers, for example.
publish_time: '2024-06-19T16:04:19.239256Z'
- author_name: Casandra Ortiz
author_uri: https://www.google.com/maps/contrib/116857515704409268649/reviews
rating: 2
relative_time_description: a year ago
text: The service is good, but the quality and quantity of books is very deplorable. The books are very old, and most
of them are just novels and fiction. If you want to see what else is available, you have to browse the entire online
catalog. I was disappointed.
publish_time: '2024-06-06T18:01:00.108547Z'
- author_name: Marcelo Meza
author_uri: https://www.google.com/maps/contrib/105232641984550566205/reviews
rating: 5
relative_time_description: 11 months ago
text: |-
It's the first library I've ever formally visited; it's very well maintained and apparently has a wide variety of courses for the public.
I needed to get away from the hustle and bustle, and the place did all that very well, as it conveyed a sense of peace and calm, perhaps because of the holiday season.
Being my first time, I wasn't sure what to choose, so I asked the librarian for a recommendation, and she gave me two books, one of which I loved. I'll be back soon to pick it up 💪🏻.
There are a good number of historical articles if you want to go look at them and take photos.
The bathroom is spotless and well maintained; it even had toilet paper.
Kudos to the librarian and the receptionist. I would have asked their names, but as I said, I'll be back soon to spend another peaceful hour filled with reading...
publish_time: '2024-12-22T16:56:54.475302Z'
- author_name: Magalí Coria
author_uri: https://www.google.com/maps/contrib/101955700606116518994/reviews
rating: 5
relative_time_description: a year ago
text: I take violin lessons at the library. There's a great vibe and everyone is very friendly! They offer classes in
a variety of subjects. It's highly recommended. The building itself is a very beautiful old building, it needs a little
maintenance, but the rest is perfect. It's a nice place to study. Very welcoming.
publish_time: '2024-03-16T19:31:55.555928Z'
- author_name: Ángel Oscar Croce
author_uri: https://www.google.com/maps/contrib/106995078384201570438/reviews
rating: 5
relative_time_description: 2 years ago
text: Excellent service. The building is extraordinary, and the theater is spacious and welcoming. It houses incunabula.
It simply needs the community of Lomas de Zamora to visit more frequently and, of course, to support the institution,
for example, by attending performances or helping to acquire new books. Best regards.
publish_time: '2023-08-23T20:12:00.668457Z'
- author_name: Nahir Micaela Lera
author_uri: https://www.google.com/maps/contrib/116536914057647382195/reviews
rating: 4
relative_time_description: a year ago
text: The place is very comfortable, and they respect each other's silence. The only downside is that sometimes the people
using the tables don't clean them afterward, leaving food leftovers, for example.
publish_time: '2024-06-19T16:04:19.239256Z'
- author_name: Casandra Ortiz
author_uri: https://www.google.com/maps/contrib/116857515704409268649/reviews
rating: 2
relative_time_description: a year ago
text: The service is good, but the quality and quantity of books is very deplorable. The books are very old, and most
of them are just novels and fiction. If you want to see what else is available, you have to browse the entire online
catalog. I was disappointed.
publish_time: '2024-06-06T18:01:00.108547Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 10:00AM6:00PM'
- 'Tuesday: 10:00AM6:00PM'
- 'Wednesday: 10:00AM6:00PM'
- 'Thursday: 10:00AM6:00PM'
- 'Friday: 10:00AM6:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 10:00AM6:00PM'
- 'Tuesday: 10:00AM6:00PM'
- 'Wednesday: 10:00AM6:00PM'
- 'Thursday: 10:00AM6:00PM'
- 'Friday: 10:00AM6:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHpzBwfIMlSd6jgLD_iOkpMvMKdHdsPEOdTVYf8GMOaoDtjuAIF2gFQ_URbRQJ9aGRQb4iTSAd4Zd3LQNAWBMmUfE3I-djy3a3NVg8U7R_GMxcBNUXxTPaDB35s7UNKs_lgKsx956NOKsdKHrT7uca6L7PAjwBJYzSRtuL1J4hqCQKKFlnJ28XxtXfVFU9Xc_ciAjXXiSbRxj7mUmalcYW_2BV_2xb0piF9DXZNRfVuOg-cJgOEQYnJMyIW34RJTGFH2SV9ORSPmI5h5Rd6CZOklnuStTlmvttz3-FDGEH2NabDtfKFKCq-u071P03yA6sdHi6a6iM6cCLBEi70gHzLEt-Y5HrhD5ad7_OKJwu_kOXqj36beyQi5BqkUegupIFUjxlxRXTH1foTh95BELs9IcqNdx8vxRiMC7opXgm4
height: 3455
width: 2592
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHoOYaKN2h7aowYs3Pjc6yn0Fntcjr_lQb93sFKEgt-Q2wnpTgwdE2-9uVSD2vHZrcIn5HJHs96ctqK5unjBMqp2pChufGpkDj6gCV3Is-f0kcGzKvRrWj78RIpV7C36dqJ0hH9-bJwzkimfmpzHSQK99Mw4TK7i9Gxx38ZEkGlmlj93M2xx8_WWxpHA2wOVNy6YDPJVdDrlEl6oO-o4AossgHqrWuNLInA5vitp04Zb_JM5LWOKDoCTX7jT7fsafmj82RptoPaq4qeiL7ya2lvPqCr83-II8pG9RAB13oYgxICN3wq8aKL4Yw78IjuzC2zYigU7W-Ni6uJqAjtpeQ5L7FAiYaE-gav36Fci7snvnt6SCiVXlKaeCzrcvwakPspoXu1TYP5rq8jdZ3DjHAak4vHh0g0DdsBdqHWv9k5PZdgE
height: 3221
width: 4295
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHr4hVS22SU3Z-CmXvKA0DP-1a1gkt3eq2YHnzKBBuSA7s--tJk69gY-AtO3QqTeNfG_Nb1PVkMao_KExy2wqo35-siV_-js6eMPdLLQF4pqki1fsYeXryMbcp_zUJXUmy5a_DcxFDC4xtCV8Lhl0KTCrhBycKjRkWSqMdCUkzWubWvt__Mx8vQgsr2_xH7UhXRKH-w39Rg7lGhOXKU6p5M-zWPlEpBnFuShHO_IUC2NRok9J7HgfjzBBRt71s69nvcUzN7T1ex6__wbquy03MmQcF7_Kp_fSwmY3b_R_SdARtN-iV5tkbe7Up5aaI9zZJq7iE1tfl0cSZ-S7f7m9K4WTjEkTcRWeoUewvto2Dl9OA-BrXglwTjDX61SqIOuWTjGHpI5upwLm8nOs-m48fgwe5PsjWjgtcJz-rFo307STg
height: 4000
width: 3000
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHqHYlK8rmC1NWJ89j8tpAzVF9hoKn7mWKS8lQ13JRHf7G330jbHm-mmwcDco0QOu6G0UYeVjpQwYjCkICozQ-DD8oChuPvClWszwDp_UR09qmzDNfWPcz85-gG4XNNmlUB82N4hljC1Oa8cIWlils7zppQ5uYyYXt-CGBoIpzRAy3XHXBsykiWlhGT34x3IGtnmKgBPk2PhMJVPA4UFYQsGYL-2fXN6LLizdKhRAed0VX9FTYY-Ff_RD98hR-BqJgnrNmomBF5rhVPQyLB4FELigxd4kZVruvf_TQ3QULbavR14rTNOG88uKj23icyEaIe1369k0nbk8V9f3F7_k0s2orC5M8kjo-u84cjuyVflKETTrSJpULjDMQd9KC9fK5F4BhsK1Lj_AjbY9B5t899WsWJeJ8zl85aZ67SSaRhzQA
height: 3000
width: 4000
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHqN_ewXR6Uq6UqtsTQShbxoe2mHuhf1XXevAz3NWrnQwz1YWexsDGu-yMdNegnRofuvARASyDYCN3kmv966bJ3m5Jbj1iZKREzmgTGL5era8IoIlU7guJKgoXX_xUYb8Oqy5FVBsp2WmVgAkdOmxGd-2vTvv7lsEwjwOxJo9vzQKIpMXGqefFQJLKuuBaCnr9nOSE16SD0gSYdlaEksnlRwkI2UZHgrwzLCOPjXmJj_dXXPnfhweXOmYRaY99uEO8qj6K4UkUTc8mjqv01xLrQiD53OR0ZoeFX7UYYeRKzpRIGHkJn4XRrgjG_AdJZXEqp7EhtnuQBLxcwD3a716RQupjY5_PEJgjvyPRyxlRtTKxxg_KTvyffxjbaL7zKrOOTga-i1y8WcXq26mVUwAsSkSJxbp3YLuly1StS_10Ccfw
height: 4000
width: 3000
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHpzBwfIMlSd6jgLD_iOkpMvMKdHdsPEOdTVYf8GMOaoDtjuAIF2gFQ_URbRQJ9aGRQb4iTSAd4Zd3LQNAWBMmUfE3I-djy3a3NVg8U7R_GMxcBNUXxTPaDB35s7UNKs_lgKsx956NOKsdKHrT7uca6L7PAjwBJYzSRtuL1J4hqCQKKFlnJ28XxtXfVFU9Xc_ciAjXXiSbRxj7mUmalcYW_2BV_2xb0piF9DXZNRfVuOg-cJgOEQYnJMyIW34RJTGFH2SV9ORSPmI5h5Rd6CZOklnuStTlmvttz3-FDGEH2NabDtfKFKCq-u071P03yA6sdHi6a6iM6cCLBEi70gHzLEt-Y5HrhD5ad7_OKJwu_kOXqj36beyQi5BqkUegupIFUjxlxRXTH1foTh95BELs9IcqNdx8vxRiMC7opXgm4
height: 3455
width: 2592
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHoOYaKN2h7aowYs3Pjc6yn0Fntcjr_lQb93sFKEgt-Q2wnpTgwdE2-9uVSD2vHZrcIn5HJHs96ctqK5unjBMqp2pChufGpkDj6gCV3Is-f0kcGzKvRrWj78RIpV7C36dqJ0hH9-bJwzkimfmpzHSQK99Mw4TK7i9Gxx38ZEkGlmlj93M2xx8_WWxpHA2wOVNy6YDPJVdDrlEl6oO-o4AossgHqrWuNLInA5vitp04Zb_JM5LWOKDoCTX7jT7fsafmj82RptoPaq4qeiL7ya2lvPqCr83-II8pG9RAB13oYgxICN3wq8aKL4Yw78IjuzC2zYigU7W-Ni6uJqAjtpeQ5L7FAiYaE-gav36Fci7snvnt6SCiVXlKaeCzrcvwakPspoXu1TYP5rq8jdZ3DjHAak4vHh0g0DdsBdqHWv9k5PZdgE
height: 3221
width: 4295
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHr4hVS22SU3Z-CmXvKA0DP-1a1gkt3eq2YHnzKBBuSA7s--tJk69gY-AtO3QqTeNfG_Nb1PVkMao_KExy2wqo35-siV_-js6eMPdLLQF4pqki1fsYeXryMbcp_zUJXUmy5a_DcxFDC4xtCV8Lhl0KTCrhBycKjRkWSqMdCUkzWubWvt__Mx8vQgsr2_xH7UhXRKH-w39Rg7lGhOXKU6p5M-zWPlEpBnFuShHO_IUC2NRok9J7HgfjzBBRt71s69nvcUzN7T1ex6__wbquy03MmQcF7_Kp_fSwmY3b_R_SdARtN-iV5tkbe7Up5aaI9zZJq7iE1tfl0cSZ-S7f7m9K4WTjEkTcRWeoUewvto2Dl9OA-BrXglwTjDX61SqIOuWTjGHpI5upwLm8nOs-m48fgwe5PsjWjgtcJz-rFo307STg
height: 4000
width: 3000
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHqHYlK8rmC1NWJ89j8tpAzVF9hoKn7mWKS8lQ13JRHf7G330jbHm-mmwcDco0QOu6G0UYeVjpQwYjCkICozQ-DD8oChuPvClWszwDp_UR09qmzDNfWPcz85-gG4XNNmlUB82N4hljC1Oa8cIWlils7zppQ5uYyYXt-CGBoIpzRAy3XHXBsykiWlhGT34x3IGtnmKgBPk2PhMJVPA4UFYQsGYL-2fXN6LLizdKhRAed0VX9FTYY-Ff_RD98hR-BqJgnrNmomBF5rhVPQyLB4FELigxd4kZVruvf_TQ3QULbavR14rTNOG88uKj23icyEaIe1369k0nbk8V9f3F7_k0s2orC5M8kjo-u84cjuyVflKETTrSJpULjDMQd9KC9fK5F4BhsK1Lj_AjbY9B5t899WsWJeJ8zl85aZ67SSaRhzQA
height: 3000
width: 4000
- name: places/ChIJa5q5aZPSvJUR984hqMDd66Y/photos/AZLasHqN_ewXR6Uq6UqtsTQShbxoe2mHuhf1XXevAz3NWrnQwz1YWexsDGu-yMdNegnRofuvARASyDYCN3kmv966bJ3m5Jbj1iZKREzmgTGL5era8IoIlU7guJKgoXX_xUYb8Oqy5FVBsp2WmVgAkdOmxGd-2vTvv7lsEwjwOxJo9vzQKIpMXGqefFQJLKuuBaCnr9nOSE16SD0gSYdlaEksnlRwkI2UZHgrwzLCOPjXmJj_dXXPnfhweXOmYRaY99uEO8qj6K4UkUTc8mjqv01xLrQiD53OR0ZoeFX7UYYeRKzpRIGHkJn4XRrgjG_AdJZXEqp7EhtnuQBLxcwD3a716RQupjY5_PEJgjvyPRyxlRtTKxxg_KTvyffxjbaL7zKrOOTga-i1y8WcXq26mVUwAsSkSJxbp3YLuly1StS_10Ccfw
height: 4000
width: 3000
google_maps_url: https://maps.google.com/?cid=12027951049347288823&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -315,20 +319,20 @@ logo_enrichment:
source_url: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-24T10:35:18.245104+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/326784659_1422617114940773_4284165406403130298_n.jpg?stp=dst-jpg_tt6&cstp=mx1536x1536&ctp=s720x720&_nc_cat=111&ccb=1-7&_nc_sid=3ab345&_nc_ohc=6vhJoNKoC9QQ7kNvwGkPj6k&_nc_oc=AdnY6Zl8W4XK2lrzQBbOcYJxr_A-Yv0VEZncfzzaErnrtTdk6dYaRmhFbqNvRJgVGOU&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=xtRiF4i2iiO6rgDGubtqFw&oh=00_Afnhyd8thCVC23Uf7aXk9YJNUvFpF7OFym_upFZxLNqMAg&oe=6951ACBD
source_url: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-24T10:35:18.245104+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-24T10:35:18.245104+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/326784659_1422617114940773_4284165406403130298_n.jpg?stp=dst-jpg_tt6&cstp=mx1536x1536&ctp=s720x720&_nc_cat=111&ccb=1-7&_nc_sid=3ab345&_nc_ohc=6vhJoNKoC9QQ7kNvwGkPj6k&_nc_oc=AdnY6Zl8W4XK2lrzQBbOcYJxr_A-Yv0VEZncfzzaErnrtTdk6dYaRmhFbqNvRJgVGOU&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=xtRiF4i2iiO6rgDGubtqFw&oh=00_Afnhyd8thCVC23Uf7aXk9YJNUvFpF7OFym_upFZxLNqMAg&oe=6951ACBD
source_url: https://m.facebook.com/Biblioteca-Popular-Antonio-Mentruyt-321801954821/?locale2=es_LA
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-24T10:35:18.245104+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -63,7 +63,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:20Z: Maps: Biblioteca Popular Florentino Ameghino (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:20Z: Maps: Biblioteca Popular Florentino Ameghino (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:55Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:48Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
@ -98,9 +99,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295178+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295178+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -109,8 +113,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Ameghino
@ -118,9 +122,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295178+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295178+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -128,9 +135,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295178+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295178+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Luján
@ -138,9 +148,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295178+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295178+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q118746654
@ -148,9 +161,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q118746654
timestamp: '2025-11-17T17:00:42.295178+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295178+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -187,7 +203,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
wikidata_instance_of: *id003
wikidata_location:
country: &id004
@ -249,7 +266,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/115326902770269097352/reviews
rating: 5
relative_time_description: 8 months ago
text: I teach Biodanza classes in the Library and the space is very beautiful. Fran and Clau's attention is excellent. Responsible, attentive, cordial.
text: I teach Biodanza classes in the Library and the space is very beautiful. Fran and Clau's attention is excellent.
Responsible, attentive, cordial.
publish_time: '2025-04-07T14:40:33.083457Z'
- author_name: luciano bonardi
author_uri: https://www.google.com/maps/contrib/117636521466385312840/reviews
@ -261,7 +279,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/106424217086608027174/reviews
rating: 5
relative_time_description: 3 years ago
text: The most traditional and comprehensive library in Luján, with a wide range of cultural activities. Join, enjoy, and discover Luján in a different way.
text: The most traditional and comprehensive library in Luján, with a wide range of cultural activities. Join, enjoy,
and discover Luján in a different way.
publish_time: '2022-10-19T13:31:26.288880Z'
- author_name: Caro Manquis
author_uri: https://www.google.com/maps/contrib/117353230596377652872/reviews
@ -273,7 +292,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116865450041938733083/reviews
rating: 5
relative_time_description: 8 years ago
text: Wonderful team! Holistic workshops are offered, and the teachers and workshop leaders are extremely trustworthy and responsible.
text: Wonderful team! Holistic workshops are offered, and the teachers and workshop leaders are extremely trustworthy
and responsible.
publish_time: '2017-10-07T11:39:16.512Z'
opening_hours:
open_now: true
@ -306,7 +326,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The names are very similar, with the Google Maps candidate including the full name 'Florentino Ameghino' versus the institution's abbreviated name. Both are located in Luján, Argentina, confirming location consistency. The type 'library' matches the institution's type, and the website is a social media profile that likely corresponds to the library, further supporting the match.
reasoning: The names are very similar, with the Google Maps candidate including the full name 'Florentino Ameghino' versus
the institution's abbreviated name. Both are located in Luján, Argentina, confirming location consistency. The type
'library' matches the institution's type, and the website is a social media profile that likely corresponds to the library,
further supporting the match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '195'
identifier_url: https://www.conabip.gob.ar/biblioteca/195
- &id001
identifier_scheme: CONABIP
identifier_value: '195'
identifier_url: https://www.conabip.gob.ar/biblioteca/195
locations:
- city: Navarro
region: BUENOS AIRES
country: AR
latitude: -35.005767
longitude: -59.27755
- city: Navarro
region: BUENOS AIRES
country: AR
latitude: -35.005767
longitude: -59.27755
processing_timestamp: '2025-12-06T23:34:13.114870+00:00'
ghcid:
ghcid_current: AR-B-NAV-L-BPPJRE
@ -28,29 +28,29 @@ ghcid:
city_code: NAV
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-NAV-L-BPPJRE
valid_from: '2025-12-10T10:00:37.428725+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-NAV-L-BPPJRE
ghcid_numeric: 6452228409487829049
valid_from: '2025-12-06T23:34:13.114870+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-NAV-L-BPPJRE
valid_from: '2025-12-10T10:00:37.428725+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-NAV-L-BPPJRE
ghcid_numeric: 6452228409487829049
valid_from: '2025-12-06T23:34:13.114870+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular y Pública Josè Ruiz de Erenchun
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-NAV-L-BPPJRE
- identifier_scheme: GHCID_UUID
identifier_value: c2878184-2fa3-5d8e-a79e-14ba2e41dacc
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 598aeb8d-9534-8839-2752-0f409925fec2
- identifier_scheme: GHCID_NUMERIC
identifier_value: '6452228409487829049'
- identifier_scheme: RECORD_ID
identifier_value: 9d9fece4-4193-449e-b0c7-64d7c71e6f83
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-NAV-L-BPPJRE
- identifier_scheme: GHCID_UUID
identifier_value: c2878184-2fa3-5d8e-a79e-14ba2e41dacc
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 598aeb8d-9534-8839-2752-0f409925fec2
- identifier_scheme: GHCID_NUMERIC
identifier_value: '6452228409487829049'
- identifier_scheme: RECORD_ID
identifier_value: 9d9fece4-4193-449e-b0c7-64d7c71e6f83
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:24Z: Maps: Biblioteca Publica Jose Ruiz de Erenchun (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:56Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:49Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:24Z: Maps: Biblioteca Publica Jose Ruiz de Erenchun (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:15:56Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:49Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:06.056202+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:06.056215+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871592+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871592+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Pública Josè Ruiz de Erenchun
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871592+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871592+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Navarro
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871592+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular y Pública Josè Ruiz de Erenchun
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871592+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871592+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Navarro
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871592+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.114870+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular y Pública Josè Ruiz de Erenchun
description: biblioteca popular en Navarro, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -176,61 +188,61 @@ google_maps_enrichment:
phone_local: 02272 43-0660
phone_international: +54 2272 43-0660
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 10
reviews:
- author_name: Jorge
author_uri: https://www.google.com/maps/contrib/116184096227889640275/reviews
rating: 4
relative_time_description: 9 months ago
text: We didn't have the opportunity to see this gem from Navarro.
publish_time: '2025-03-02T21:34:30.174266Z'
- author_name: Laura Santilli
author_uri: https://www.google.com/maps/contrib/104813988606392449816/reviews
rating: 5
relative_time_description: 3 years ago
text: It's a great, century-old library, the staff are very friendly, and the librarian, Hector, is a genius!
publish_time: '2022-07-14T17:19:31.639569Z'
- author_name: Guillermina Paola Díaz
author_uri: https://www.google.com/maps/contrib/105447653101350230485/reviews
rating: 5
relative_time_description: 7 years ago
text: Beautiful place, open to the community
publish_time: '2018-06-22T17:05:21.334Z'
- author_name: Jose Francisco Balasch
author_uri: https://www.google.com/maps/contrib/106791695268278674150/reviews
rating: 4
relative_time_description: 7 years ago
text: Picturesque place
publish_time: '2018-11-19T00:32:23.510263378Z'
- author_name: Franco Tierno
author_uri: https://www.google.com/maps/contrib/111542349064771971099/reviews
rating: 5
relative_time_description: 7 years ago
text: Linda
publish_time: '2018-06-28T00:16:50.340Z'
- author_name: Jorge
author_uri: https://www.google.com/maps/contrib/116184096227889640275/reviews
rating: 4
relative_time_description: 9 months ago
text: We didn't have the opportunity to see this gem from Navarro.
publish_time: '2025-03-02T21:34:30.174266Z'
- author_name: Laura Santilli
author_uri: https://www.google.com/maps/contrib/104813988606392449816/reviews
rating: 5
relative_time_description: 3 years ago
text: It's a great, century-old library, the staff are very friendly, and the librarian, Hector, is a genius!
publish_time: '2022-07-14T17:19:31.639569Z'
- author_name: Guillermina Paola Díaz
author_uri: https://www.google.com/maps/contrib/105447653101350230485/reviews
rating: 5
relative_time_description: 7 years ago
text: Beautiful place, open to the community
publish_time: '2018-06-22T17:05:21.334Z'
- author_name: Jose Francisco Balasch
author_uri: https://www.google.com/maps/contrib/106791695268278674150/reviews
rating: 4
relative_time_description: 7 years ago
text: Picturesque place
publish_time: '2018-11-19T00:32:23.510263378Z'
- author_name: Franco Tierno
author_uri: https://www.google.com/maps/contrib/111542349064771971099/reviews
rating: 5
relative_time_description: 7 years ago
text: Linda
publish_time: '2018-06-28T00:16:50.340Z'
photo_count: 6
photos_metadata:
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqkUgnzpRwq77GlN9aE9w7joh4B8z34Ils03W88R0rxmko6zVrvZXKbbfvN0QCDRD_CeqpnLhzT5WPQ9cj1poAI5qFf-Xp3MJobsjufJyvY4gCg1Agt6BT3m8I82QSNHgEUpHO2c-ksfz81Pcwbct6m9DxwcGvOk92nVvjr3hm2HMUbTKcenj8AvLGohdUdX670AL-dwYiSssZBPBPEBLAYS8dXT0sv2MFvNeWOLlj1r6uOshEifXkfWgLP9D79lVlYz__RCYbHrcVDcNfB4d6jChwTQRBNROYTxubg_8Ms0xrbn4liSxC_F-T-wzHNCWb9Ps8TRgqeyyn9qfYs3466plf0zqpjPgka7t6_izxZh2WIu00S5I6dPYn4noWbmp9GpHFIQGg8vJIl342yuFF8NCPErGK88R7ArKNjh-D0_Q
height: 3096
width: 4128
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqPdHZuqBZpY-sQGICky2v1nqoQlovdEEPMovPByNgyyfiuuJNOMIbkgDajrskvpmHHnpFCGPs9AndMZiM0eWxcwLJeEGPS47RD3F_hyRmtI9ft7MNLwk4thYGwj-wT8zfKNuUO68rFQ9JTugu6dNxVxilrCUMt8sgUnv28J644f-uzCUal0W6XdcxO6ZscSR3qFW_W3cqKiRzSAtZGV1cqpC22yrWp25YUO639TFmos9J9X6919b8dlQFAv3jLm38OxQgOqsEBJcjSTVoxpcSyBkswH99vzwv1xlg4tb4qOcwUtNxOTaMqUQ5mo4__Eb2AP4hL_qljlBf7WaNGaJPXflC28091bzcINrJVv-yTtrXmmp-NQqaKXjUTJNYsLddnYA2Mr5fu6SSP3QlEVexxliH_cCG3Pw1mlP0NVX8yew
height: 4608
width: 3456
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHpf98JqCtdDSMk0Bk3P8xedgDArfwHXzLDmF-4uqMBYUH6QqRtJwgZNK9lnnMr0xkAsaTrAPbHc9BLokttYNM4MuZCja6jlD3a277GSvmQDePDZ9O_Ecg8YezS0OXc1AX3GLE6u7NzL4Px2835CSQIYLQK4knnS3mgluwxkzAUsu0HgN4mFRbT1G1R--g7CMpnGl_gMF3tWo97rZmD_nveAyNATdj__w0ZFEiPzaipag0YzHk8UzYZw9j56xawWB95RfVcTy1mhC6tx-6Jh0xrO3ZjFep9wiuMioZGP6GOGqtKZYUzSXIbrNrQ841nL_0fM6S1kYCEAkRoGMXdjSS_G8BJJWSEd08sD2GK93tL0ZnHhctWKO0Ws1BjveI7dmUpLltdbEjO3KkUZ7wQ_IZrbxys7W2sP97xZIEgNIjNlLSxo
height: 4128
width: 1956
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqYXnrXFLnjpm361gkd0uYMjita-YJRq0Pjy83F8owK06FZi3Y0GUpaT7t9_tEYNy-StUJFu02cZYpE4YqGiYJE1XL0gu04SlEIf6wxkc8IpY31V6GPsN5U5Y1EwTfvC9lBkIWPwSDDmuY8Yx_p0BPLv2MbSko9rFmpAeyctpAPoGQbp6v41M7k4YxKOY8CxLIuJ_b9Rkm70tCmutgQ-1fEosUc-r75itsi8gMMRegXt9FsUKmOV7TaxGp9YDADv1IRPTrDE1hXqB4NuDN1T999kwbnUH_poFurf-nizShtqsSFrGAWrtfLYM6WNkgkic24dEBYFZ9kj_3M9CI9VbBoFt1FAsiTsNmCqeQwKyIvpRRAWXudyAM2c74UfHb0CWkaDTEgBFrX25fhna7ky9keMyF1UXAZVsLoTMFa1gyijA
height: 4128
width: 1956
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqMOqyEVRGfdGscHEiCpOee2kABSiQeaECiGvpUJ2Wzehe5kP95GHhtQCFNmQlS5v6l2fjm7r73uF8iX42jB7ZHN8KS6iFilpXAhbNKA1g7fvRvUMbuNI8RCYmk-zAh-lV8A6EK-UTBOYqYc9mg8A0wepd2h0MfKVnApjmFdwr73a1m7ZvmhRDgD526QOov2BGp3OH8d3l3G2M409zjvx0wkj5raTbeOegbiSo98Z-iWtWAzkvGzGUCEJtd2cmf9QrQ3iwZuH0dj5gx2HRhgZ6ZkGAviMJutaq_g0jJm_NhN6WHy-YrsjUQbs3P6DE3LfVg4jWUEeROWok1AW0NXFOHONrQLhSM2UzOyfMRqAW5X7jOH9Y7jwsM2nvSgXP5JJ0kofGUyZnf87fULaTE2qwQ5WDKzV7Uqlq177orgJwn7i15
height: 4608
width: 3456
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqkUgnzpRwq77GlN9aE9w7joh4B8z34Ils03W88R0rxmko6zVrvZXKbbfvN0QCDRD_CeqpnLhzT5WPQ9cj1poAI5qFf-Xp3MJobsjufJyvY4gCg1Agt6BT3m8I82QSNHgEUpHO2c-ksfz81Pcwbct6m9DxwcGvOk92nVvjr3hm2HMUbTKcenj8AvLGohdUdX670AL-dwYiSssZBPBPEBLAYS8dXT0sv2MFvNeWOLlj1r6uOshEifXkfWgLP9D79lVlYz__RCYbHrcVDcNfB4d6jChwTQRBNROYTxubg_8Ms0xrbn4liSxC_F-T-wzHNCWb9Ps8TRgqeyyn9qfYs3466plf0zqpjPgka7t6_izxZh2WIu00S5I6dPYn4noWbmp9GpHFIQGg8vJIl342yuFF8NCPErGK88R7ArKNjh-D0_Q
height: 3096
width: 4128
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqPdHZuqBZpY-sQGICky2v1nqoQlovdEEPMovPByNgyyfiuuJNOMIbkgDajrskvpmHHnpFCGPs9AndMZiM0eWxcwLJeEGPS47RD3F_hyRmtI9ft7MNLwk4thYGwj-wT8zfKNuUO68rFQ9JTugu6dNxVxilrCUMt8sgUnv28J644f-uzCUal0W6XdcxO6ZscSR3qFW_W3cqKiRzSAtZGV1cqpC22yrWp25YUO639TFmos9J9X6919b8dlQFAv3jLm38OxQgOqsEBJcjSTVoxpcSyBkswH99vzwv1xlg4tb4qOcwUtNxOTaMqUQ5mo4__Eb2AP4hL_qljlBf7WaNGaJPXflC28091bzcINrJVv-yTtrXmmp-NQqaKXjUTJNYsLddnYA2Mr5fu6SSP3QlEVexxliH_cCG3Pw1mlP0NVX8yew
height: 4608
width: 3456
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHpf98JqCtdDSMk0Bk3P8xedgDArfwHXzLDmF-4uqMBYUH6QqRtJwgZNK9lnnMr0xkAsaTrAPbHc9BLokttYNM4MuZCja6jlD3a277GSvmQDePDZ9O_Ecg8YezS0OXc1AX3GLE6u7NzL4Px2835CSQIYLQK4knnS3mgluwxkzAUsu0HgN4mFRbT1G1R--g7CMpnGl_gMF3tWo97rZmD_nveAyNATdj__w0ZFEiPzaipag0YzHk8UzYZw9j56xawWB95RfVcTy1mhC6tx-6Jh0xrO3ZjFep9wiuMioZGP6GOGqtKZYUzSXIbrNrQ841nL_0fM6S1kYCEAkRoGMXdjSS_G8BJJWSEd08sD2GK93tL0ZnHhctWKO0Ws1BjveI7dmUpLltdbEjO3KkUZ7wQ_IZrbxys7W2sP97xZIEgNIjNlLSxo
height: 4128
width: 1956
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqYXnrXFLnjpm361gkd0uYMjita-YJRq0Pjy83F8owK06FZi3Y0GUpaT7t9_tEYNy-StUJFu02cZYpE4YqGiYJE1XL0gu04SlEIf6wxkc8IpY31V6GPsN5U5Y1EwTfvC9lBkIWPwSDDmuY8Yx_p0BPLv2MbSko9rFmpAeyctpAPoGQbp6v41M7k4YxKOY8CxLIuJ_b9Rkm70tCmutgQ-1fEosUc-r75itsi8gMMRegXt9FsUKmOV7TaxGp9YDADv1IRPTrDE1hXqB4NuDN1T999kwbnUH_poFurf-nizShtqsSFrGAWrtfLYM6WNkgkic24dEBYFZ9kj_3M9CI9VbBoFt1FAsiTsNmCqeQwKyIvpRRAWXudyAM2c74UfHb0CWkaDTEgBFrX25fhna7ky9keMyF1UXAZVsLoTMFa1gyijA
height: 4128
width: 1956
- name: places/ChIJMXgw-hlQvJUR1Kau3nP0Niw/photos/AZLasHqMOqyEVRGfdGscHEiCpOee2kABSiQeaECiGvpUJ2Wzehe5kP95GHhtQCFNmQlS5v6l2fjm7r73uF8iX42jB7ZHN8KS6iFilpXAhbNKA1g7fvRvUMbuNI8RCYmk-zAh-lV8A6EK-UTBOYqYc9mg8A0wepd2h0MfKVnApjmFdwr73a1m7ZvmhRDgD526QOov2BGp3OH8d3l3G2M409zjvx0wkj5raTbeOegbiSo98Z-iWtWAzkvGzGUCEJtd2cmf9QrQ3iwZuH0dj5gx2HRhgZ6ZkGAviMJutaq_g0jJm_NhN6WHy-YrsjUQbs3P6DE3LfVg4jWUEeROWok1AW0NXFOHONrQLhSM2UzOyfMRqAW5X7jOH9Y7jwsM2nvSgXP5JJ0kofGUyZnf87fULaTE2qwQ5WDKzV7Uqlq177orgJwn7i15
height: 4608
width: 3456
google_maps_url: https://maps.google.com/?cid=3186002564905608916&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -91,9 +91,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871722+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871722+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -102,8 +105,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Andrés Ferreyra
@ -111,9 +114,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871722+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871722+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -121,9 +127,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871722+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871722+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Necochea
@ -131,9 +140,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871722+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871722+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -166,7 +178,9 @@ wikidata_enrichment:
google_maps_status: NO_MATCH
google_maps_rejected:
candidate_name: Necochea Cultural Center
rejection_reason: 'NAME MISMATCH: The source ''Biblioteca Popular Andrés Ferreyra'' and the candidate ''Necochea Cultural Center'' are different institutions. TYPE MISMATCH: The Google Place type ''cultural_center'' is not in the list of expected types for a heritage custodian (e.g., museum, library).'
rejection_reason: 'NAME MISMATCH: The source ''Biblioteca Popular Andrés Ferreyra'' and the candidate ''Necochea Cultural
Center'' are different institutions. TYPE MISMATCH: The Google Place type ''cultural_center'' is not in the list of expected
types for a heritage custodian (e.g., museum, library).'
timestamp: '2025-12-08T18:37:51.870398+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Andrés Ferreyra official

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:37Z: Maps: Biblioteca Popular Armando Collinet (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:37Z: Maps: Biblioteca Popular Armando Collinet (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:01Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:53Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
@ -94,9 +95,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871884+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871884+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +109,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Armando Collinet
@ -114,9 +118,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871884+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871884+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +131,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871884+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871884+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Olavarría
@ -134,9 +144,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871884+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871884+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -192,11 +205,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/109921253517292010749/reviews
rating: 5
relative_time_description: a year ago
text: 'On vacation as a couple.
text: |-
On vacation as a couple.
Beautiful exterior architecture.
Since it was the weekend, it was closed.'
Since it was the weekend, it was closed.
publish_time: '2024-11-11T02:22:25.065337Z'
- author_name: claudia chrestia
author_uri: https://www.google.com/maps/contrib/113384301765102138437/reviews
@ -220,7 +232,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/110165624302156020498/reviews
rating: 5
relative_time_description: 5 months ago
text:
text: null
publish_time: '2025-07-09T12:04:24.992115804Z'
opening_hours:
open_now: true
@ -253,7 +265,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The match is highly likely based on a perfect name match, consistent location within the specified country (AR), and matching type (library). The only reason for not assigning a perfect 1.0 confidence is the lack of more specific location data (like city or an official website) from the institution side, but all available evidence points to a match.
reasoning: The match is highly likely based on a perfect name match, consistent location within the specified country
(AR), and matching type (library). The only reason for not assigning a perfect 1.0 confidence is the lack of more specific
location data (like city or an official website) from the institution side, but all available evidence points to a match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '201'
identifier_url: https://www.conabip.gob.ar/biblioteca/201
- &id001
identifier_scheme: CONABIP
identifier_value: '201'
identifier_url: https://www.conabip.gob.ar/biblioteca/201
locations:
- city: Olavarría
region: BUENOS AIRES
country: AR
latitude: -36.897967
longitude: -60.32395
- city: Olavarría
region: BUENOS AIRES
country: AR
latitude: -36.897967
longitude: -60.32395
processing_timestamp: '2025-12-06T23:34:13.125318+00:00'
ghcid:
ghcid_current: AR-B-OLA-L-BPMG
@ -28,29 +28,29 @@ ghcid:
city_code: OLA
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-OLA-L-BPMG
valid_from: '2025-12-10T10:00:37.713444+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-OLA-L-BPMG
ghcid_numeric: 18200433629014484853
valid_from: '2025-12-06T23:34:13.125318+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-OLA-L-BPMG
valid_from: '2025-12-10T10:00:37.713444+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-OLA-L-BPMG
ghcid_numeric: 18200433629014484853
valid_from: '2025-12-06T23:34:13.125318+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Mahatma Gandhi
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-OLA-L-BPMG
- identifier_scheme: GHCID_UUID
identifier_value: 19e97290-035f-53c4-bbbb-308a0a08ebc3
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: fc94edf4-9f7b-8775-33e8-24d0395ec84c
- identifier_scheme: GHCID_NUMERIC
identifier_value: '18200433629014484853'
- identifier_scheme: RECORD_ID
identifier_value: d2d819ff-962f-4a80-841e-28b186f5fe8e
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-OLA-L-BPMG
- identifier_scheme: GHCID_UUID
identifier_value: 19e97290-035f-53c4-bbbb-308a0a08ebc3
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: fc94edf4-9f7b-8775-33e8-24d0395ec84c
- identifier_scheme: GHCID_NUMERIC
identifier_value: '18200433629014484853'
- identifier_scheme: RECORD_ID
identifier_value: d2d819ff-962f-4a80-841e-28b186f5fe8e
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:40Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:05Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:57Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:40Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:05Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:37:57Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -71,8 +71,8 @@ provenance:
verified_at: '2025-12-28T19:57:06.131810+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:06.131827+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -84,15 +84,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871805+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871805+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -101,45 +104,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Mahatma Gandhi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871805+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871805+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Olavarría
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.871805+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Mahatma Gandhi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871805+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871805+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Olavarría
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.871805+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.125318+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Mahatma Gandhi
description: biblioteca popular en Olavarría, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -60,7 +60,8 @@ provenance:
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:48Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:14Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:05Z: Maps: Popular Library Domingo F Sarmiento (conf: 0.80); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:05Z: Maps: Popular Library Domingo F Sarmiento (conf: 0.80); YouTube:
not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
@ -94,9 +95,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872042+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872042+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +109,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Pública Mununicipal Dr. Menéndez
@ -114,9 +118,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872042+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872042+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +131,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872042+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872042+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Pergamino
@ -134,9 +144,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872042+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872042+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -169,7 +182,10 @@ wikidata_enrichment:
google_maps_status: SUCCESS
google_maps_rejected:
candidate_name: Popular Library Domingo F Sarmiento
rejection_reason: The types match (both are libraries) and the location is consistent (Pergamino, Buenos Aires, Argentina). However, the names are significantly different. The institution name 'Biblioteca Popular Pública Mununicipal Dr. Menéndez' does not correspond well with the Google Maps candidate name 'Popular Library Domingo F Sarmiento'. Without additional information confirming the names are aliases of the same place, they are likely to be different institutions.
rejection_reason: The types match (both are libraries) and the location is consistent (Pergamino, Buenos Aires, Argentina).
However, the names are significantly different. The institution name 'Biblioteca Popular Pública Mununicipal Dr. Menéndez'
does not correspond well with the Google Maps candidate name 'Popular Library Domingo F Sarmiento'. Without additional
information confirming the names are aliases of the same place, they are likely to be different institutions.
timestamp: '2025-12-08T18:16:13.796795+00:00'
youtube_status: NOT_FOUND
youtube_search_query: Biblioteca Popular Pública Mununicipal Dr. Menéndez official
@ -205,7 +221,9 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/102808423999159203860/reviews
rating: 5
relative_time_description: 2 years ago
text: A place for all those reading notices, ideal for training, events and cultural activities, something that the province is gradually losing. Fortunately, in Pergamino there are cultural activities of all kinds, the vast majority sponsored by the municipality and mostly held in our beloved library.
text: A place for all those reading notices, ideal for training, events and cultural activities, something that the province
is gradually losing. Fortunately, in Pergamino there are cultural activities of all kinds, the vast majority sponsored
by the municipality and mostly held in our beloved library.
publish_time: '2023-08-10T16:35:49.840116Z'
- author_name: Sofía Bayley Bustamante
author_uri: https://www.google.com/maps/contrib/103099864591250282071/reviews
@ -217,7 +235,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/110808865990582146374/reviews
rating: 5
relative_time_description: a year ago
text: The facilities are impeccable, and the staff is excellent. A unique space that we should all visit to see how beautiful it is.
text: The facilities are impeccable, and the staff is excellent. A unique space that we should all visit to see how beautiful
it is.
publish_time: '2023-12-19T14:46:12.235960Z'
- author_name: Ana Capra
author_uri: https://www.google.com/maps/contrib/112667876396352450782/reviews
@ -257,7 +276,11 @@ google_maps_enrichment:
is_match: true
confidence: 0.8
entity_type: GRP.HER
reasoning: The Google Maps candidate 'Popular Library Domingo F Sarmiento' is a likely match for the source institution 'Biblioteca Popular Pública Mununicipal Dr. Menéndez'. Both are libraries (TYPE MATCH), located in Pergamino, Argentina (LOCATION MATCH). The name is not a direct match, but it is plausible for a heritage institution to have an official name and a more commonly used or alternative name. Given the high specificity of the location and the matching type, it is probable this is the same entity.
reasoning: The Google Maps candidate 'Popular Library Domingo F Sarmiento' is a likely match for the source institution
'Biblioteca Popular Pública Mununicipal Dr. Menéndez'. Both are libraries (TYPE MATCH), located in Pergamino, Argentina
(LOCATION MATCH). The name is not a direct match, but it is plausible for a heritage institution to have an official
name and a more commonly used or alternative name. Given the high specificity of the location and the matching type,
it is probable this is the same entity.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:46:58Z: Maps: Biblioteca (conf: 0.95); YouTube: Biblioteca Popular Bartolome Mitre. Pilar (17 subs)'
- 'YouTube/Google Maps enrichment 2025-12-08T17:46:58Z: Maps: Biblioteca (conf: 0.95); YouTube: Biblioteca Popular Bartolome
Mitre. Pilar (17 subs)'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:36Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:21Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:44Z
@ -106,9 +107,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837939+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837939+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -117,8 +121,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Bartolome Mitre de Pilar
@ -126,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837939+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837939+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -136,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837939+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837939+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Pilar
@ -146,9 +156,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.837939+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.837939+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -201,19 +214,27 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/112873406694731858977/reviews
rating: 5
relative_time_description: 9 months ago
text: Thank you so much, Mrs. Sonia Lembeye, for receiving me and for accepting the donation of my beloved books! They hold immense personal significance for me, and I bequeath them with great pleasure and satisfaction to our Pilar Library, one of the most honorable institutions. Thank you, Sonia, for safeguarding and preserving this heritage, which, as we all remember, was also cherished and cared for by your dear mother. As a resident of Pilar, my gratitude extends to her as well, of course, and my fondest memories of her dedicated work! Through these books, I send much love and a warm embrace to all who will enjoy them, so that the chain of knowledge, values, and culture in general may continue from generation to generation. With all my love, Cecilia
text: Thank you so much, Mrs. Sonia Lembeye, for receiving me and for accepting the donation of my beloved books! They
hold immense personal significance for me, and I bequeath them with great pleasure and satisfaction to our Pilar Library,
one of the most honorable institutions. Thank you, Sonia, for safeguarding and preserving this heritage, which, as we
all remember, was also cherished and cared for by your dear mother. As a resident of Pilar, my gratitude extends to
her as well, of course, and my fondest memories of her dedicated work! Through these books, I send much love and a warm
embrace to all who will enjoy them, so that the chain of knowledge, values, and culture in general may continue from
generation to generation. With all my love, Cecilia
publish_time: '2025-03-11T18:58:15.018844Z'
- author_name: Mia
author_uri: https://www.google.com/maps/contrib/103471000119353539014/reviews
rating: 2
relative_time_description: 7 months ago
text: Very good rates and excellent service, but it's inaccessible to me. It's closed on weekends and closes early on the days it's open. 💔
text: Very good rates and excellent service, but it's inaccessible to me. It's closed on weekends and closes early on
the days it's open. 💔
publish_time: '2025-04-30T19:35:05.043219Z'
- author_name: ARMANDO MATTIONI
author_uri: https://www.google.com/maps/contrib/115751185082183030099/reviews
rating: 4
relative_time_description: a year ago
text: 'The library is very good, but above all, I highlight the kindness and helpfulness of the person who runs this area: Sabrina. She makes everything flow perfectly.'
text: 'The library is very good, but above all, I highlight the kindness and helpfulness of the person who runs this area:
Sabrina. She makes everything flow perfectly.'
publish_time: '2024-07-05T16:45:01.318195Z'
- author_name: Yamel López
author_uri: https://www.google.com/maps/contrib/101151504948237526023/reviews
@ -258,7 +279,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: 'The Google Maps candidate is a strong match. 1. Name: The candidate''s name ''Biblioteca'' (Library) is a correct, though shortened, identifier for the institution ''Biblioteca Popular Bartolome Mitre de Pilar''. 2. Location: The address ''Belgrano 553, Pilar Centro, Provincia de Buenos Aires'' is a full and precise match for the institution in Pilar, Argentina. 3. Type: The candidate type is ''library'', which is a perfect match for the institution.'
reasoning: 'The Google Maps candidate is a strong match. 1. Name: The candidate''s name ''Biblioteca'' (Library) is a
correct, though shortened, identifier for the institution ''Biblioteca Popular Bartolome Mitre de Pilar''. 2. Location:
The address ''Belgrano 553, Pilar Centro, Provincia de Buenos Aires'' is a full and precise match for the institution
in Pilar, Argentina. 3. Type: The candidate type is ''library'', which is a perfect match for the institution.'
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -283,7 +307,8 @@ youtube_enrichment:
channel_id: UCYP5iKdQyj0JqLu2DxuTNyQ
channel_url: https://www.youtube.com/channel/UCYP5iKdQyj0JqLu2DxuTNyQ
title: Biblioteca Popular Bartolome Mitre. Pilar
description: Vídeos creados por la Biblioteca Popular Bartolomé Mitre de Pilar, Buenos Aires, para estar más cerca de los usuarios y se enteren de las actividades y acciones realizadas.
description: Vídeos creados por la Biblioteca Popular Bartolomé Mitre de Pilar, Buenos Aires, para estar más cerca de los
usuarios y se enteren de las actividades y acciones realizadas.
custom_url: '@bibliotecapopularbartolome8876'
published_at: '2021-05-19T13:36:38.967772Z'
country: AR
@ -307,7 +332,8 @@ youtube_enrichment:
- video_id: dKoqAG-AWgs
video_url: https://www.youtube.com/watch?v=dKoqAG-AWgs
title: Bibliotecas
description: Septiembre mes de las bibliotecas Populares! En esta ocasión seleccionamos algunos títulos en los cuales los protagonistas son las bibliotecas o bibliotecarios
description: Septiembre mes de las bibliotecas Populares! En esta ocasión seleccionamos algunos títulos en los cuales
los protagonistas son las bibliotecas o bibliotecarios
published_at: '2021-10-01T18:37:29Z'
duration: PT3M10S
view_count: 7
@ -362,7 +388,8 @@ youtube_enrichment:
- video_id: k5E_VmEs7r0
video_url: https://www.youtube.com/watch?v=k5E_VmEs7r0
title: Narnia Bodoc
description: Compartimos los libros que conforman "Las crónicas de Narnia", de C.S. Lewis y también la saga "De los confines" de Liliana Bodoc
description: Compartimos los libros que conforman "Las crónicas de Narnia", de C.S. Lewis y también la saga "De los confines"
de Liliana Bodoc
published_at: '2021-08-30T16:08:35Z'
duration: PT52S
view_count: 4
@ -373,7 +400,8 @@ youtube_enrichment:
- video_id: ulBuiMJy9KM
video_url: https://www.youtube.com/watch?v=ulBuiMJy9KM
title: Mangas, el cómic japonés
description: Compartimos las mangas que podrán encontrar en la biblioteca, una forma original para conocer más sobre la cultura nipona
description: Compartimos las mangas que podrán encontrar en la biblioteca, una forma original para conocer más sobre la
cultura nipona
published_at: '2021-08-26T15:40:51Z'
duration: PT3M40S
view_count: 5
@ -384,7 +412,8 @@ youtube_enrichment:
- video_id: st4aByJPKKo
video_url: https://www.youtube.com/watch?v=st4aByJPKKo
title: Cuentos clásicos
description: Presentamos colección de cuentos clásicos y colección de cuentos clásicos regionalizados, tomando uso y costumbres de los pueblos originarios de América del sur
description: Presentamos colección de cuentos clásicos y colección de cuentos clásicos regionalizados, tomando uso y costumbres
de los pueblos originarios de América del sur
published_at: '2021-08-26T15:29:33Z'
duration: PT1M19S
view_count: 253
@ -406,7 +435,8 @@ youtube_enrichment:
- video_id: gnStJEV5Nlk
video_url: https://www.youtube.com/watch?v=gnStJEV5Nlk
title: Harry Potter está en nuestra biblioteca
description: Los invitamos a leer y disfrutar la saga de Harry Potter, además de su precesora, Animales fantásticos y dónde encontrarlos..
description: Los invitamos a leer y disfrutar la saga de Harry Potter, además de su precesora, Animales fantásticos y
dónde encontrarlos..
published_at: '2021-08-19T16:24:09Z'
duration: PT1M25S
view_count: 3
@ -439,7 +469,8 @@ youtube_enrichment:
- video_id: KQh5DPP-3xw
video_url: https://www.youtube.com/watch?v=KQh5DPP-3xw
title: 'Elegí tu saga favorita: Escalofríos Vs. Ultratumba'
description: 'Agosto, Mes de la Niñez, te proponemos que elijas entre estas dos sagas de terror: Por un lado de R.L. Stine, Escalofríos y del otro Tom B. Stone, Utratumba'
description: 'Agosto, Mes de la Niñez, te proponemos que elijas entre estas dos sagas de terror: Por un lado de R.L. Stine,
Escalofríos y del otro Tom B. Stone, Utratumba'
published_at: '2021-08-06T14:37:24Z'
duration: PT1M16S
view_count: 41
@ -549,7 +580,8 @@ youtube_enrichment:
- video_id: IkhNF4wf9_A
video_url: https://www.youtube.com/watch?v=IkhNF4wf9_A
title: Día de la soberanía Argentina sobre las Is Malvinas
description: Vídeo realizado con parte del material bibliográfico de la biblioteca, con libros de historia, poesía, memorias, novela histórica y juvenil se aborda el tema
description: Vídeo realizado con parte del material bibliográfico de la biblioteca, con libros de historia, poesía, memorias,
novela histórica y juvenil se aborda el tema
published_at: '2021-06-11T12:42:56Z'
duration: PT1M40S
view_count: 40
@ -560,7 +592,8 @@ youtube_enrichment:
- video_id: lXEgI8iVL3o
video_url: https://www.youtube.com/watch?v=lXEgI8iVL3o
title: Día del Periodista en Argentina
description: 7 de junio día del periodista en Argentina. Conmemoramos la fundación de "La Gazeta de Buenos Ayres" y su creador Mariano Moreno
description: 7 de junio día del periodista en Argentina. Conmemoramos la fundación de "La Gazeta de Buenos Ayres" y su
creador Mariano Moreno
published_at: '2021-06-07T16:08:59Z'
duration: PT1M3S
view_count: 12
@ -571,7 +604,8 @@ youtube_enrichment:
- video_id: 3dLTpJx9M2M
video_url: https://www.youtube.com/watch?v=3dLTpJx9M2M
title: Día del Medio Ambiente
description: Desde la Biblioteca Popular Bartolomé Mitre, les sugerimos material para compartir en familia sobre el cuidado del Medio Ambiente
description: Desde la Biblioteca Popular Bartolomé Mitre, les sugerimos material para compartir en familia sobre el cuidado
del Medio Ambiente
published_at: '2021-06-07T12:25:48Z'
duration: PT52S
view_count: 22
@ -582,7 +616,8 @@ youtube_enrichment:
- video_id: cHiiurAGu6o
video_url: https://www.youtube.com/watch?v=cHiiurAGu6o
title: Libro enfermo
description: Siempre aconsejamos no guardar hojas de plantas, árboles, flores dentro de los libros, este es un ejemplo de los insectos microscópicos que se encuentran en ellos y se transfieren al libro, dañándolo de manera irreparable
description: Siempre aconsejamos no guardar hojas de plantas, árboles, flores dentro de los libros, este es un ejemplo
de los insectos microscópicos que se encuentran en ellos y se transfieren al libro, dañándolo de manera irreparable
published_at: '2021-05-28T12:08:49Z'
duration: PT26S
view_count: 39
@ -615,7 +650,8 @@ youtube_enrichment:
- video_id: Gv712mhr-Us
video_url: https://www.youtube.com/watch?v=Gv712mhr-Us
title: Semana de mayo
description: Vídeo que contiene imágenes del Diario de la Historia de Jorge Perrone, en la cual se relata la semana de Mayo de 1810, en el Virreinato del Río de la Plata
description: Vídeo que contiene imágenes del Diario de la Historia de Jorge Perrone, en la cual se relata la semana de
Mayo de 1810, en el Virreinato del Río de la Plata
published_at: '2021-05-19T13:39:23Z'
duration: PT55S
view_count: 17
@ -626,7 +662,9 @@ youtube_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The YouTube channel's title is an exact match for the institution's name, including the city 'Pilar'. The description explicitly states it is created by the 'Biblioteca Popular Bartolomé Mitre de Pilar, Buenos Aires', confirming its official nature and purpose. The location (AR) is consistent with the institution's country. There is strong evidence of a match.
reasoning: The YouTube channel's title is an exact match for the institution's name, including the city 'Pilar'. The description
explicitly states it is created by the 'Biblioteca Popular Bartolomé Mitre de Pilar, Buenos Aires', confirming its official
nature and purpose. The location (AR) is consistent with the institution's country. There is strong evidence of a match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '98'
identifier_url: https://www.conabip.gob.ar/biblioteca/98
- &id001
identifier_scheme: CONABIP
identifier_value: '98'
identifier_url: https://www.conabip.gob.ar/biblioteca/98
locations:
- city: Quilmes
region: BUENOS AIRES
country: AR
latitude: -34.706567
longitude: -58.28
- city: Quilmes
region: BUENOS AIRES
country: AR
latitude: -34.706567
longitude: -58.28
processing_timestamp: '2025-12-06T23:34:13.071916+00:00'
ghcid:
ghcid_current: AR-B-QUI-L-BPJME
@ -28,29 +28,29 @@ ghcid:
city_code: QUI
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-QUI-L-BPJME
valid_from: '2025-12-10T10:00:37.918353+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-QUI-L-BPJME
ghcid_numeric: 12840775897763193051
valid_from: '2025-12-06T23:34:13.071916+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-QUI-L-BPJME
valid_from: '2025-12-10T10:00:37.918353+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-QUI-L-BPJME
ghcid_numeric: 12840775897763193051
valid_from: '2025-12-06T23:34:13.071916+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular José Manuel Estrada
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-QUI-L-BPJME
- identifier_scheme: GHCID_UUID
identifier_value: f127d277-c40b-58fc-8238-9c3662342a96
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: b23399a5-4a92-80db-b0c7-ec28afdd6784
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12840775897763193051'
- identifier_scheme: RECORD_ID
identifier_value: 970df990-fcf8-4b42-808e-5d049b28e5bd
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-QUI-L-BPJME
- identifier_scheme: GHCID_UUID
identifier_value: f127d277-c40b-58fc-8238-9c3662342a96
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: b23399a5-4a92-80db-b0c7-ec28afdd6784
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12840775897763193051'
- identifier_scheme: RECORD_ID
identifier_value: 970df990-fcf8-4b42-808e-5d049b28e5bd
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:55Z: Maps: Biblioteca Popular José Manuel Estrada (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:15Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:06Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:07:55Z: Maps: Biblioteca Popular José Manuel Estrada (conf: 1.00); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:15Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:06Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:25Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:49Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:06.420066+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:06.420079+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294500+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294500+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular José Manuel Estrada
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294500+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294500+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Quilmes
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294500+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular José Manuel Estrada
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294500+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294500+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Quilmes
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294500+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.071916+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular José Manuel Estrada
description: biblioteca popular en Quilmes, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -176,68 +188,68 @@ google_maps_enrichment:
phone_local: 03492 20-9323
phone_international: +54 3492 20-9323
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 5
total_ratings: 8
reviews:
- author_name: Gisela Cubilla
author_uri: https://www.google.com/maps/contrib/101413764157818709133/reviews
rating: 5
relative_time_description: 3 years ago
text: The most extensive collection of titles in the city! Excellent service.
publish_time: '2021-12-11T05:08:21.771722Z'
- author_name: Diego R.
author_uri: https://www.google.com/maps/contrib/112543620408661230794/reviews
rating: 5
relative_time_description: a year ago
text:
publish_time: '2024-02-23T23:36:15.010108Z'
- author_name: Beatriz Rey
author_uri: https://www.google.com/maps/contrib/114033332714006602220/reviews
rating: 5
relative_time_description: 3 years ago
text:
publish_time: '2022-07-27T03:33:26.920144Z'
- author_name: Lorena Bunbury
author_uri: https://www.google.com/maps/contrib/107415470581057139395/reviews
rating: 5
relative_time_description: 3 years ago
text:
publish_time: '2022-07-21T22:24:02.771266Z'
- author_name: paulo caglieri
author_uri: https://www.google.com/maps/contrib/110267662253942868983/reviews
rating: 5
relative_time_description: 3 years ago
text:
publish_time: '2022-04-07T14:40:19.531824Z'
- author_name: Gisela Cubilla
author_uri: https://www.google.com/maps/contrib/101413764157818709133/reviews
rating: 5
relative_time_description: 3 years ago
text: The most extensive collection of titles in the city! Excellent service.
publish_time: '2021-12-11T05:08:21.771722Z'
- author_name: Diego R.
author_uri: https://www.google.com/maps/contrib/112543620408661230794/reviews
rating: 5
relative_time_description: a year ago
text: null
publish_time: '2024-02-23T23:36:15.010108Z'
- author_name: Beatriz Rey
author_uri: https://www.google.com/maps/contrib/114033332714006602220/reviews
rating: 5
relative_time_description: 3 years ago
text: null
publish_time: '2022-07-27T03:33:26.920144Z'
- author_name: Lorena Bunbury
author_uri: https://www.google.com/maps/contrib/107415470581057139395/reviews
rating: 5
relative_time_description: 3 years ago
text: null
publish_time: '2022-07-21T22:24:02.771266Z'
- author_name: paulo caglieri
author_uri: https://www.google.com/maps/contrib/110267662253942868983/reviews
rating: 5
relative_time_description: 3 years ago
text: null
publish_time: '2022-04-07T14:40:19.531824Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 3:007:00PM'
- 'Tuesday: 9:00AM12:00PM, 3:00PM12:00AM'
- 'Wednesday: 12:00AM12:00PM, 3:007:00PM'
- 'Thursday: 9:00AM12:00PM, 3:007:00PM'
- 'Friday: 3:007:00PM'
- 'Saturday: 9:00AM12:00PM'
- 'Sunday: Closed'
- 'Monday: 3:007:00PM'
- 'Tuesday: 9:00AM12:00PM, 3:00PM12:00AM'
- 'Wednesday: 12:00AM12:00PM, 3:007:00PM'
- 'Thursday: 9:00AM12:00PM, 3:007:00PM'
- 'Friday: 3:007:00PM'
- 'Saturday: 9:00AM12:00PM'
- 'Sunday: Closed'
photo_count: 4
photos_metadata:
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHpe6M1jc8E6AQyanilTiqVOZBuu60y0Xky-CbShXgXdyWzFsIP7UjG2Ez0Om_h9KBf3Pq-Y6OBSqKh9x0F_lgiKZtjyYR1lttxzLTZAJJNqGaa4B5pdnXRrCID50gYrMrsIK4FfuPieAJwVlzuO-6-XxDIHNCaPt5xJrpiSY7d5_Xund7n7jjrWqnT3987Ac_lnQgNr4VcyIoMmeb7NhzTL-OwnQklEh30RSibY8xculk2D7Q60s9wbWAvJfjZGxe6fc9Nh8CbZ1P7D5Fami6l3_Cx0ShMJFsizGt-h_23N5Q
height: 1053
width: 1873
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHq9tilmFpzNPhRAjdFcyd4M-GzXVvMXvHeSgGTQ4TB-PCqY2jT4xeqm79eeMS0ZGIl4jXh51M_5BmYh47ahrbxAqV6YZhsLXLlCwtic7hA657nDFGAkpXEWOZJg6WNuwT76lY0YRxJVYHEuGyJ2PQiZ3DhVwnOkg7Znumgm7mwzBsobybSxP3u4BPVbYfGf18CwNw4IRXHlSQgD0nst_7Zsdv7hehtsh4awT5h6LvtN5xccvg8Sq62EZQa78iO_uruxam6lOQ2QlHeS_2aKtdqYOoPwaD7DgJY12QbU0-2AfA
height: 3456
width: 4607
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHrqLPUCkjXHLCPR-gdqd9aVLYoIIrU4y6ENv5xLIPzC9vFYcwMzVty2YGvpTQFcFXtwTr5L7vlJ-n7ZNrmguU7tMiHv6WWqR5iX0ydYSIaqmtnJuG1hV2s-6eHnsLmBj1D-yVLf_fHGXzAJ_JE2sOLjG3YfTYyRr-GTIwBMMEo3cjWKyOUiDPN_7tmF2X3NHS7eDKhMTjiJlQzo1AdIIV1Z30DfJhXGUxKNuSqm7FypOYOm7M3DX2P2jC175qHcguNdTkAXD84fj1aQLZtHXAD7ffjbIqpWd6iAWVjSvZUyPw
height: 3456
width: 4608
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHpuF7OK2ROA_k29BO9dpZi9Pu4tfepmuUpvz8TdcNHkQptIa25gv8VqRGIwku0nZ3f5IOlAF5C_59YtjAbvmIt_zItrmShiui3-W65pWfuhCvowuH2XvuIOiVG9JGjsm0AaP3DOpC12L5F_t0zAaZytCI4sgNbqYoCyLcZnS7sn5ArgznobsiJw9ydyv-dRCQ-EQHm42xaMELDzRNoLyVf-IMCeBwmsrUuRQfJDmqXiiak7G5_4v97Jg3ZdCGrvz4fsIfJlj4otVfkSRrf7q1p3AnRlCIU9yid6xaSWQyshyA
height: 3456
width: 4608
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHpe6M1jc8E6AQyanilTiqVOZBuu60y0Xky-CbShXgXdyWzFsIP7UjG2Ez0Om_h9KBf3Pq-Y6OBSqKh9x0F_lgiKZtjyYR1lttxzLTZAJJNqGaa4B5pdnXRrCID50gYrMrsIK4FfuPieAJwVlzuO-6-XxDIHNCaPt5xJrpiSY7d5_Xund7n7jjrWqnT3987Ac_lnQgNr4VcyIoMmeb7NhzTL-OwnQklEh30RSibY8xculk2D7Q60s9wbWAvJfjZGxe6fc9Nh8CbZ1P7D5Fami6l3_Cx0ShMJFsizGt-h_23N5Q
height: 1053
width: 1873
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHq9tilmFpzNPhRAjdFcyd4M-GzXVvMXvHeSgGTQ4TB-PCqY2jT4xeqm79eeMS0ZGIl4jXh51M_5BmYh47ahrbxAqV6YZhsLXLlCwtic7hA657nDFGAkpXEWOZJg6WNuwT76lY0YRxJVYHEuGyJ2PQiZ3DhVwnOkg7Znumgm7mwzBsobybSxP3u4BPVbYfGf18CwNw4IRXHlSQgD0nst_7Zsdv7hehtsh4awT5h6LvtN5xccvg8Sq62EZQa78iO_uruxam6lOQ2QlHeS_2aKtdqYOoPwaD7DgJY12QbU0-2AfA
height: 3456
width: 4607
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHrqLPUCkjXHLCPR-gdqd9aVLYoIIrU4y6ENv5xLIPzC9vFYcwMzVty2YGvpTQFcFXtwTr5L7vlJ-n7ZNrmguU7tMiHv6WWqR5iX0ydYSIaqmtnJuG1hV2s-6eHnsLmBj1D-yVLf_fHGXzAJ_JE2sOLjG3YfTYyRr-GTIwBMMEo3cjWKyOUiDPN_7tmF2X3NHS7eDKhMTjiJlQzo1AdIIV1Z30DfJhXGUxKNuSqm7FypOYOm7M3DX2P2jC175qHcguNdTkAXD84fj1aQLZtHXAD7ffjbIqpWd6iAWVjSvZUyPw
height: 3456
width: 4608
- name: places/ChIJrWnAMC-vypURHfj6HlQyTuc/photos/AZLasHpuF7OK2ROA_k29BO9dpZi9Pu4tfepmuUpvz8TdcNHkQptIa25gv8VqRGIwku0nZ3f5IOlAF5C_59YtjAbvmIt_zItrmShiui3-W65pWfuhCvowuH2XvuIOiVG9JGjsm0AaP3DOpC12L5F_t0zAaZytCI4sgNbqYoCyLcZnS7sn5ArgznobsiJw9ydyv-dRCQ-EQHm42xaMELDzRNoLyVf-IMCeBwmsrUuRQfJDmqXiiak7G5_4v97Jg3ZdCGrvz4fsIfJlj4otVfkSRrf7q1p3AnRlCIU9yid6xaSWQyshyA
height: 3456
width: 4608
google_maps_url: https://maps.google.com/?cid=16667314607823190045&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '174'
identifier_url: https://www.conabip.gob.ar/biblioteca/174
- &id001
identifier_scheme: CONABIP
identifier_value: '174'
identifier_url: https://www.conabip.gob.ar/biblioteca/174
locations:
- city: ''
region: BUENOS AIRES
country: AR
latitude: -34.647608
longitude: -58.55154
- city: ''
region: BUENOS AIRES
country: AR
latitude: -34.647608
longitude: -58.55154
processing_timestamp: '2025-12-06T23:34:13.106013+00:00'
ghcid:
ghcid_current: AR-B-RAM-L-BPFR
@ -32,36 +32,36 @@ ghcid:
feature_code: PPL
resolution_timestamp: '2025-12-07T11:34:27.949233+00:00'
ghcid_history:
- previous_ghcid_component: "RM"
new_ghcid_component: "RAM"
change_date: "2025-12-20T19:55:24Z"
reason: "Fixed 2-letter city code to proper 3-letter code per AGENTS.md. City: Ramos Mejía"
- ghcid: AR-B-RM-L-BPFR
valid_from: '2025-12-10T10:00:37.989716+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-XXX-L-BPFR
ghcid_numeric: 14301323389417456498
valid_from: '2025-12-06T23:34:13.106013+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-BU-RM-L-BPFR
valid_from: '2025-12-07T11:34:27.949243+00:00'
reason: 'City resolved via reverse geocoding: XXX->RM (Ramos Mejía)'
- previous_ghcid_component: RM
new_ghcid_component: RAM
change_date: '2025-12-20T19:55:24Z'
reason: 'Fixed 2-letter city code to proper 3-letter code per AGENTS.md. City: Ramos Mejía'
- ghcid: AR-B-RM-L-BPFR
valid_from: '2025-12-10T10:00:37.989716+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-XXX-L-BPFR
ghcid_numeric: 14301323389417456498
valid_from: '2025-12-06T23:34:13.106013+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-BU-RM-L-BPFR
valid_from: '2025-12-07T11:34:27.949243+00:00'
reason: 'City resolved via reverse geocoding: XXX->RM (Ramos Mejía)'
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Felipe de Robles
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-RM-L-BPFR
- identifier_scheme: GHCID_UUID
identifier_value: 794eefe0-44c8-5b45-86d7-c3c02854dfd8
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: c67881d9-dc36-8372-b350-351eac414ec9
- identifier_scheme: GHCID_NUMERIC
identifier_value: '14301323389417456498'
- identifier_scheme: RECORD_ID
identifier_value: 929fef65-6a44-4da0-a43e-6f5cfff1828a
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-RM-L-BPFR
- identifier_scheme: GHCID_UUID
identifier_value: 794eefe0-44c8-5b45-86d7-c3c02854dfd8
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: c67881d9-dc36-8372-b350-351eac414ec9
- identifier_scheme: GHCID_NUMERIC
identifier_value: '14301323389417456498'
- identifier_scheme: RECORD_ID
identifier_value: 929fef65-6a44-4da0-a43e-6f5cfff1828a
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -69,12 +69,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:05Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:19Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:10Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:05Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:19Z: Maps: rejected by LLM; YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:10Z: Maps: rejected by LLM; YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -82,8 +82,8 @@ provenance:
verified_at: '2025-12-28T19:57:06.456077+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:06.456100+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -95,15 +95,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295272+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295272+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -112,35 +115,41 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Felipe de Robles
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295272+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.295272+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: full_name
claim_value: Biblioteca Popular Felipe de Robles
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295272+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.295272+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.106013+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Felipe de Robles
description: biblioteca popular en Ramos Mejía, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'

View file

@ -74,7 +74,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:47:32Z: Maps: Biblioteca Popular Guido Y Spano (conf: 0.95); YouTube: Biblioteca Popular CARLOS GUIDO Y SPANO (176 subs)'
- 'YouTube/Google Maps enrichment 2025-12-08T17:47:32Z: Maps: Biblioteca Popular Guido Y Spano (conf: 0.95); YouTube: Biblioteca
Popular CARLOS GUIDO Y SPANO (176 subs)'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:21Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:44Z
schema_version: 2.0.0
@ -110,9 +111,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872186+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872186+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -121,8 +125,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Guido y Spano
@ -130,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872186+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872186+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -140,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872186+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872186+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rauch
@ -150,9 +160,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872186+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872186+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q83870898
@ -160,9 +173,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q83870898
timestamp: '2025-11-17T17:00:44.872186+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872186+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -210,7 +226,8 @@ wikidata_enrichment:
description: specialized library providing resources on a particular topic or discipline
- id: Q28564
label: public library
description: free community resource offering access to books, media, and information, promoting literacy and education for all ages
description: free community resource offering access to books, media, and information, promoting literacy and education
for all ages
wikidata_instance_of: *id003
wikidata_location:
country: &id004
@ -280,39 +297,43 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/103308836699401744607/reviews
rating: 5
relative_time_description: a year ago
text: 'The service at the library is wonderful.
What can I say about the place? Its smell of paper, years of age, love, childhood memories... everything. It makes you want to stay there!'
text: |-
The service at the library is wonderful.
What can I say about the place? Its smell of paper, years of age, love, childhood memories... everything. It makes you want to stay there!
publish_time: '2023-12-27T22:08:41.262624Z'
- author_name: alma mia
author_uri: https://www.google.com/maps/contrib/116997027006468034990/reviews
rating: 5
relative_time_description: 4 years ago
text:
text: null
publish_time: '2021-04-28T21:08:22.074695Z'
- author_name: CED Tandil
author_uri: https://www.google.com/maps/contrib/113020774866017334328/reviews
rating: 4
relative_time_description: 6 years ago
text:
text: null
publish_time: '2019-01-03T03:49:52.616273758Z'
- author_name: Abigail Ferreyra
author_uri: https://www.google.com/maps/contrib/112548295569801751660/reviews
rating: 3
relative_time_description: 7 years ago
text:
text: null
publish_time: '2018-10-24T16:27:22.579930810Z'
- author_name: Daniel Molina Rollin
author_uri: https://www.google.com/maps/contrib/102192346951021027051/reviews
rating: 5
relative_time_description: 7 years ago
text:
text: null
publish_time: '2018-09-21T03:12:26.692174Z'
google_maps_url: https://maps.google.com/?cid=17485919732594497943&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
confidence: 0.95
reasoning: There is a high degree of certainty that the Google Maps candidate is the same institution. The names match almost exactly, with only a minor, insignificant difference in the capitalization of 'Y Spano'. The Google Maps 'type' is 'library', which is consistent with the institution's name, 'Biblioteca'. While the institution's specified city is 'Rauch', the candidate's address places it in 'Provincia de Buenos Aires', and Rauch is a well-known town within that province, so the location is consistent.
reasoning: There is a high degree of certainty that the Google Maps candidate is the same institution. The names match
almost exactly, with only a minor, insignificant difference in the capitalization of 'Y Spano'. The Google Maps 'type'
is 'library', which is consistent with the institution's name, 'Biblioteca'. While the institution's specified city
is 'Rauch', the candidate's address places it in 'Provincia de Buenos Aires', and Rauch is a well-known town within
that province, so the location is consistent.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -592,7 +613,9 @@ youtube_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The YouTube channel title is a very close match to the institution's name, with the minor addition of 'CARLOS' and the word 'Y' spelled out. This strong name similarity suggests the channel belongs to the institution. There is no contradictory location or description information.
reasoning: The YouTube channel title is a very close match to the institution's name, with the minor addition of 'CARLOS'
and the word 'Y' spelled out. This strong name similarity suggests the channel belongs to the institution. There is
no contradictory location or description information.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:01Z: Maps: Biblioteca Popular José Ingenieros (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:01Z: Maps: Biblioteca Popular José Ingenieros (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:16Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:07Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
@ -94,9 +95,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952881+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952881+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +109,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular José Ingenieros
@ -114,9 +118,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952881+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952881+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +131,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952881+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952881+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Rivera
@ -134,9 +144,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952881+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952881+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -215,7 +228,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/113029832099329520805/reviews
rating: 4
relative_time_description: 4 months ago
text:
text: null
publish_time: '2025-07-22T15:10:11.929861248Z'
opening_hours:
open_now: false
@ -231,7 +244,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The names are an exact match. The candidate is located in Argentina, matching the provided country, and its type is 'library', which is consistent with the institution's name ('Biblioteca'). The lack of a website and more specific location (city) information for the institution prevents a perfect score.
reasoning: The names are an exact match. The candidate is located in Argentina, matching the provided country, and its
type is 'library', which is consistent with the institution's name ('Biblioteca'). The lack of a website and more specific
location (city) information for the institution prevents a perfect score.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -94,9 +94,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872628+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872628+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +108,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Dr. Tristán G. Lobos
@ -114,9 +117,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872628+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872628+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +130,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872628+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872628+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Salto
@ -134,9 +143,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872628+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872628+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -198,7 +210,8 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/107240037558390138035/reviews
rating: 5
relative_time_description: 7 years ago
text: Very helpful staff. If they don't have the books you're looking for, they can get them; a varied selection and rental options are available.
text: Very helpful staff. If they don't have the books you're looking for, they can get them; a varied selection and rental
options are available.
publish_time: '2018-02-25T23:10:13.682Z'
- author_name: Bruno Espeche
author_uri: https://www.google.com/maps/contrib/112889747962212441078/reviews
@ -249,7 +262,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The names are highly similar, with 'Biblioteca Tristán Lobos' being a very common abbreviation of 'Biblioteca Popular Dr. Tristán G. Lobos'. The location is a perfect match, as the candidate's address (Salto, Provincia de Buenos Aires) strongly corresponds to the known location of the institution. The type 'library' is a direct match. The high confidence score reflects the strong alignment across all three criteria (name, location, and type).
reasoning: The names are highly similar, with 'Biblioteca Tristán Lobos' being a very common abbreviation of 'Biblioteca
Popular Dr. Tristán G. Lobos'. The location is a perfect match, as the candidate's address (Salto, Provincia de Buenos
Aires) strongly corresponds to the known location of the institution. The type 'library' is a direct match. The high
confidence score reflects the strong alignment across all three criteria (name, location, and type).
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -68,7 +68,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:13Z: Maps: Museum Biblioteca Popular Juan Madero (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:13Z: Maps: Museum Biblioteca Popular Juan Madero (conf: 0.90); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:20Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:11Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
@ -103,9 +104,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872502+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872502+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -114,8 +118,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca y Museo Popular Juan N. Madero
@ -123,9 +127,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872502+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872502+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -133,9 +140,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872502+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872502+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Fernando
@ -143,9 +153,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872502+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872502+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q64338946
@ -153,9 +166,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q64338946
timestamp: '2025-11-17T17:00:44.872502+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872502+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -203,7 +219,8 @@ wikidata_enrichment:
description: type of public library in Spanish-speaking countries
- id: Q33506
label: museum
description: institution that holds artifacts and other objects of scientific, artistic, cultural, historical, or other importance
description: institution that holds artifacts and other objects of scientific, artistic, cultural, historical, or other
importance
wikidata_instance_of: *id004
wikidata_location:
country: &id005
@ -270,28 +287,33 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100877811118838030556/reviews
rating: 1
relative_time_description: a month ago
text: Very sad. The service was terrible. They made me go twice in one week to look for a book that the lady wouldn't let anyone touch. The service was awful. It's so sad that they don't know how to run the library and that there are people who don't respect books or readers. Very, very sad!
text: Very sad. The service was terrible. They made me go twice in one week to look for a book that the lady wouldn't
let anyone touch. The service was awful. It's so sad that they don't know how to run the library and that there are
people who don't respect books or readers. Very, very sad!
publish_time: '2025-11-01T14:19:40.555010294Z'
- author_name: Leonardo Hansen
author_uri: https://www.google.com/maps/contrib/107727220378966343154/reviews
rating: 3
relative_time_description: 8 years ago
text: Excellent service and a beautiful building. It's a shame there isn't a central location to store all the museum's items (some are scattered in the hallways).
text: Excellent service and a beautiful building. It's a shame there isn't a central location to store all the museum's
items (some are scattered in the hallways).
publish_time: '2017-02-12T05:13:56.168Z'
- author_name: Leonardo Molinari
author_uri: https://www.google.com/maps/contrib/106788333596783145454/reviews
rating: 5
relative_time_description: 2 years ago
text: 'Excellent service. The courses offered to the community are very good. It would be great if the Municipality of San Fernando would collaborate with the maintenance of the library, as this is a waste of time and there are invaluable books that are being ruined by humidity and leaks in the roof.
text: |-
Excellent service. The courses offered to the community are very good. It would be great if the Municipality of San Fernando would collaborate with the maintenance of the library, as this is a waste of time and there are invaluable books that are being ruined by humidity and leaks in the roof.
It''s good to have aerobic trails with games, but a library is very important for the community.'
It's good to have aerobic trails with games, but a library is very important for the community.
publish_time: '2023-04-18T20:50:09.202165Z'
- author_name: Mara Medina
author_uri: https://www.google.com/maps/contrib/110487430204710553574/reviews
rating: 5
relative_time_description: 8 years ago
text: The service is excellent, the fee is cheap (with what you pay for a year's fee you would buy only 1 book, at most 2 in 1 year). The facilities are getting better every day, the library community contributes a lot, there are courses and events all year round. The very long hours. They make themselves loved.
text: The service is excellent, the fee is cheap (with what you pay for a year's fee you would buy only 1 book, at most
2 in 1 year). The facilities are getting better every day, the library community contributes a lot, there are courses
and events all year round. The very long hours. They make themselves loved.
publish_time: '2017-10-11T18:24:34.007Z'
- author_name: Al
author_uri: https://www.google.com/maps/contrib/105941127360232917135/reviews
@ -330,7 +352,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The names are extremely similar, with the candidate name being a slight reordering ('Museum Biblioteca Popular Juan Madero' vs. 'Biblioteca y Museo Popular Juan N. Madero'). The inclusion of 'Museum' and 'Biblioteca Popular' in the candidate's name aligns perfectly with the institution's name. The location (San Fernando, Argentina) matches the expected country. The types 'library' and 'museum' are consistent with the institution's name, and the website confirms the match.
reasoning: The names are extremely similar, with the candidate name being a slight reordering ('Museum Biblioteca Popular
Juan Madero' vs. 'Biblioteca y Museo Popular Juan N. Madero'). The inclusion of 'Museum' and 'Biblioteca Popular' in
the candidate's name aligns perfectly with the institution's name. The location (San Fernando, Argentina) matches the
expected country. The types 'library' and 'museum' are consistent with the institution's name, and the website confirms
the match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -74,7 +74,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:29Z: Maps: Biblioteca Popular Bernardino Rivadavia (conf: 1.00); YouTube: Biblioteca Popular Bernardino Rivadavia - Maggiolo (0 subs)'
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:29Z: Maps: Biblioteca Popular Bernardino Rivadavia (conf: 1.00); YouTube:
Biblioteca Popular Bernardino Rivadavia - Maggiolo (0 subs)'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:21Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:45Z
schema_version: 2.0.0
@ -110,9 +111,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294446+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294446+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -121,8 +125,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Bernardino Rivadavia
@ -130,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294446+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294446+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -140,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294446+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294446+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Bolívar
@ -150,9 +160,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294446+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294446+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q58854764
@ -160,9 +173,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q58854764
timestamp: '2025-11-17T17:00:42.294446+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294446+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -205,7 +221,8 @@ wikidata_enrichment:
description: structure, typically with a roof and walls, standing more or less permanently in one place
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
heritage_designation:
- id: Q55784439
label: Place or National Historic Site
@ -277,11 +294,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/113112619743904103373/reviews
rating: 5
relative_time_description: 2 years ago
text: 'A very comfortable place with easy access.
There''s a ramp for disabled access, an elevator, and stairs.
Recommended for meetings, courses, and public gatherings.'
text: |-
A very comfortable place with easy access.
There's a ramp for disabled access, an elevator, and stairs.
Recommended for meetings, courses, and public gatherings.
publish_time: '2023-06-05T20:07:38.023223Z'
- author_name: carola uahb
author_uri: https://www.google.com/maps/contrib/103862950025205084591/reviews
@ -316,7 +332,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The Google Maps candidate is a perfect match for the institution. 1. The name 'Biblioteca Popular Bernardino Rivadavia' is identical. 2. The location 'San Carlos de Bolívar, Argentina' is consistent with the provided city and country. 3. The type 'library' is a direct match for a 'Biblioteca'.
reasoning: The Google Maps candidate is a perfect match for the institution. 1. The name 'Biblioteca Popular Bernardino
Rivadavia' is identical. 2. The location 'San Carlos de Bolívar, Argentina' is consistent with the provided city and
country. 3. The type 'library' is a direct match for a 'Biblioteca'.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -354,7 +372,9 @@ youtube_enrichment:
- video_id: PZyPeQwBK8c
video_url: https://www.youtube.com/watch?v=PZyPeQwBK8c
title: Sin título
description: "Video realizado en el Taller de Stop Motion, dictado por Lilen Barberis en la Biblioteca Popular Bernardino Rivadavia Maggiolo. Esta actividad formó parte de los talleres y actividades llevados a cabo en la BPBR en las vacaciones de invierno de 2015.\n Los integrantes de este video son Delfor, Catalina, Sara. Josefina y Elsa."
description: |-
Video realizado en el Taller de Stop Motion, dictado por Lilen Barberis en la Biblioteca Popular Bernardino Rivadavia Maggiolo. Esta actividad formó parte de los talleres y actividades llevados a cabo en la BPBR en las vacaciones de invierno de 2015.
Los integrantes de este video son Delfor, Catalina, Sara. Josefina y Elsa.
published_at: '2015-07-22T00:55:56Z'
duration: PT21S
view_count: 49
@ -365,7 +385,9 @@ youtube_enrichment:
- video_id: gadM_j8K3Js
video_url: https://www.youtube.com/watch?v=gadM_j8K3Js
title: Mi película
description: "Video realizado en el Taller de Stop Motion, dictado por Lilen Barberis en la Biblioteca Popular Bernardino Rivadavia Maggiolo. Esta actividad formó parte de los talleres y actividades llevados a cabo en la BPBR en las vacaciones de invierno de 2015.\n Las integrantes de este video son Eleonora Flores, Aldana Bosso, Vanesa Farrher, Clara Allen, Mariana Rouys, Liliana Mira y Jorgelina Aguirre."
description: |-
Video realizado en el Taller de Stop Motion, dictado por Lilen Barberis en la Biblioteca Popular Bernardino Rivadavia Maggiolo. Esta actividad formó parte de los talleres y actividades llevados a cabo en la BPBR en las vacaciones de invierno de 2015.
Las integrantes de este video son Eleonora Flores, Aldana Bosso, Vanesa Farrher, Clara Allen, Mariana Rouys, Liliana Mira y Jorgelina Aguirre.
published_at: '2015-07-22T00:41:51Z'
duration: PT53S
view_count: 40
@ -376,7 +398,10 @@ youtube_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The YouTube channel title matches the institution name exactly, with the addition of 'Maggiolo,' which likely refers to a specific branch or neighborhood in San Carlos de Bolívar. This suggests a strong connection. While the description and country are unspecified, the exact name match and contextual relevance to the institution's location provide high confidence that this is the official channel.
reasoning: The YouTube channel title matches the institution name exactly, with the addition of 'Maggiolo,' which likely
refers to a specific branch or neighborhood in San Carlos de Bolívar. This suggests a strong connection. While the description
and country are unspecified, the exact name match and contextual relevance to the institution's location provide high
confidence that this is the official channel.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -69,7 +69,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:36Z: Maps: Biblioteca Sarmiento Legislador (conf: 0.90); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:36Z: Maps: Biblioteca Sarmiento Legislador (conf: 0.90); YouTube: no
verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:48Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:02:18Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:04:48Z: YouTube: not found'
@ -117,9 +118,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294897+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294897+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -128,8 +132,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Del Centro Cultural Sarmiento
@ -137,9 +141,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294897+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294897+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -147,9 +154,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294897+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294897+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Florencio Varela
@ -157,9 +167,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294897+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294897+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -214,61 +227,60 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/103744852466479150242/reviews
rating: 5
relative_time_description: a month ago
text: 'It''s a great place to study, especially during vacation time when all the students are preparing for finals and the university buildings are closed.
text: |-
It's a great place to study, especially during vacation time when all the students are preparing for finals and the university buildings are closed.
Updated hours (November 4, 2025): Open continuously from 8:00 AM to 7:00 PM!'
Updated hours (November 4, 2025): Open continuously from 8:00 AM to 7:00 PM!
publish_time: '2025-11-05T00:44:14.505936903Z'
- author_name: Gabriel Medina
author_uri: https://www.google.com/maps/contrib/117259480518148597254/reviews
rating: 5
relative_time_description: 6 years ago
text: 'The "Sarmiento Legislador" Library of the Legislature of the Province of San Juan fulfills a dual purpose: to be a public library and, at the same time, to be a public library specializing in parliamentary practice.
text: |-
The "Sarmiento Legislador" Library of the Legislature of the Province of San Juan fulfills a dual purpose: to be a public library and, at the same time, to be a public library specializing in parliamentary practice.
As a public institution, its mission is to protect and disseminate the bibliographic, historical, and documentary heritage it has accumulated.
It contributes to the knowledge of the province''s history and provides users with personalized assistance in searching for requested materials through trained personnel.
It contributes to the knowledge of the province's history and provides users with personalized assistance in searching for requested materials through trained personnel.
It houses a literary collection of San Juan authors and a Document Conservation Center unique in the province, along with modern online information search services.
Today, the silent reading room has been expanded to include a modern library that allows for the exhibition of a wide variety of art and literature.
The creation of the "Literary Café" provides an extension space to promote the cultural and human development of the province. Our aim is to rescue and highlight our writers and artists by giving them a space that they feel is their own.
By renovating this space, the Chamber of Deputies invites the people of San Juan to share and enjoy this new cultural space.'
By renovating this space, the Chamber of Deputies invites the people of San Juan to share and enjoy this new cultural space.
publish_time: '2019-06-19T01:11:50.926033Z'
- author_name: Matías Rodríguez
author_uri: https://www.google.com/maps/contrib/117375746211569684367/reviews
rating: 4
relative_time_description: a year ago
text: Hello good afternoon I just got back from being at the library, and the truth is that I have been going for a long time, not every day but if you should from time to time, and the truth is that I always found a great atmosphere, very calm, whenever I go I calm down 100% and I am happy for a while, I forget about everything by reading and in tranquility as I like the silence without disturbing anyone or anyone bothering you, the truth is I highly recommend it both for the inhabitants of this province and for those from outside, apart from that each one does their own thing without disturbing the other and that is spectacular... Apart from that for a while you can take advantage of the Internet access that it provides you to take notes and topics from the Internet... Highly recommended, the only bad thing is that they do not open on Saturdays
text: Hello good afternoon I just got back from being at the library, and the truth is that I have been going for a long
time, not every day but if you should from time to time, and the truth is that I always found a great atmosphere, very
calm, whenever I go I calm down 100% and I am happy for a while, I forget about everything by reading and in tranquility
as I like the silence without disturbing anyone or anyone bothering you, the truth is I highly recommend it both for
the inhabitants of this province and for those from outside, apart from that each one does their own thing without disturbing
the other and that is spectacular... Apart from that for a while you can take advantage of the Internet access that
it provides you to take notes and topics from the Internet... Highly recommended, the only bad thing is that they do
not open on Saturdays
publish_time: '2024-04-05T18:59:05.952158Z'
- author_name: mariela garcia
author_uri: https://www.google.com/maps/contrib/101871358097802719374/reviews
rating: 5
relative_time_description: 3 years ago
text: 'A very comfortable place to study.
text: |-
A very comfortable place to study.
Clean, quiet.
It''s everything a library should be good for.
It's everything a library should be good for.
They should give it a bigger space.
Or other libraries should follow suit.
😍😍😍😍😍😍😍💪💕'
😍😍😍😍😍😍😍💪💕
publish_time: '2022-08-26T02:15:49.473298Z'
- author_name: maria cristina sanchez
author_uri: https://www.google.com/maps/contrib/106321527448416264380/reviews
rating: 4
relative_time_description: 3 years ago
text: The Sarmiento Library belongs to the San Juan Chamber of Deputies. It also houses an extensive bibliographic collection. It also organizes interesting cultural activities.
text: The Sarmiento Library belongs to the San Juan Chamber of Deputies. It also houses an extensive bibliographic collection.
It also organizes interesting cultural activities.
publish_time: '2022-10-26T00:09:20.534423Z'
opening_hours:
open_now: true
@ -301,7 +313,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.9
reasoning: The name similarity is very high, with 'Biblioteca Sarmiento' being the core of both names and a common way to abbreviate the institution's full name. The location is a perfect match, as the Google Maps candidate is in San Juan, Argentina. The type is also consistent, as both are libraries. The slight discrepancy in the full name (adding 'Legislador') and the high confidence are based on the strong matching of the core name, exact location, and type.
reasoning: The name similarity is very high, with 'Biblioteca Sarmiento' being the core of both names and a common way
to abbreviate the institution's full name. The location is a perfect match, as the Google Maps candidate is in San Juan,
Argentina. The type is also consistent, as both are libraries. The slight discrepancy in the full name (adding 'Legislador')
and the high confidence are based on the strong matching of the core name, exact location, and type.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -63,7 +63,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:16Z: Maps: Biblioteca Popular Juan Martin De Pueyrredon (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:16Z: Maps: Biblioteca Popular Juan Martin De Pueyrredon (conf: 1.00);
YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:21Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:12Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
@ -98,9 +99,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872317+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872317+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -109,8 +113,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Juan Martín de Pueyrredon
@ -118,9 +122,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872317+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872317+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -128,9 +135,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872317+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872317+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Isidro
@ -138,9 +148,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872317+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872317+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q125738649
@ -148,9 +161,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q125738649
timestamp: '2025-11-17T17:00:44.872317+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872317+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -183,7 +199,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q28564
label: public library
description: free community resource offering access to books, media, and information, promoting literacy and education for all ages
description: free community resource offering access to books, media, and information, promoting literacy and education
for all ages
wikidata_instance_of: *id003
wikidata_location:
country: &id004
@ -266,13 +283,15 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/105654506879635118193/reviews
rating: 5
relative_time_description: a year ago
text:
text: null
publish_time: '2024-11-05T19:08:47.797785Z'
google_maps_url: https://maps.google.com/?cid=16940042251984586471&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
confidence: 1.0
reasoning: The names are an exact match, differing only in capitalization which is insignificant. The candidate is explicitly typed as a 'library' on Google Maps, which aligns perfectly with the institution's name 'Biblioteca' (Spanish for library). The location is consistent, being within the specified country (Argentina).
reasoning: The names are an exact match, differing only in capitalization which is insignificant. The candidate is explicitly
typed as a 'library' on Google Maps, which aligns perfectly with the institution's name 'Biblioteca' (Spanish for library).
The location is consistent, being within the specified country (Argentina).
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -74,7 +74,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:50Z: Maps: Biblioteca Popular Belgrano (conf: 0.95); YouTube: Biblioteca Popular Manuel Belgrano (84 subs)'
- 'YouTube/Google Maps enrichment 2025-12-08T17:52:50Z: Maps: Biblioteca Popular Belgrano (conf: 0.95); YouTube: Biblioteca
Popular Manuel Belgrano (84 subs)'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:22Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:45Z
schema_version: 2.0.0
@ -110,9 +111,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872440+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872440+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -121,8 +125,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Manuel Belgrano
@ -130,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872440+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872440+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -140,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872440+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872440+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Antonio de Areco
@ -150,9 +160,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872440+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872440+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q65553584
@ -160,9 +173,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q65553584
timestamp: '2025-11-17T17:00:44.872440+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872440+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -199,7 +215,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
wikidata_instance_of: *id003
wikidata_location:
country: &id004
@ -259,15 +276,13 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/116453678185055890805/reviews
rating: 5
relative_time_description: 4 years ago
text: 'SIGNIFICANT PLACE
text: |-
SIGNIFICANT PLACE
It was founded through the private initiative of a group of residents and teachers from San Antonio de Areco and opened to the public on November 4, 1906. In 1957, the building at its current location was acquired and subsequently renovated to provide greater comfort to the public.
Besides its specific purpose of serving as a necessary resource for students, its halls have hosted meetings, conferences, language courses, composition competitions, concerts, and exhibitions.
It was declared a Significant Place in 2006.'
It was declared a Significant Place in 2006.
publish_time: '2021-01-14T17:48:12.697713Z'
- author_name: patricio sartori
author_uri: https://www.google.com/maps/contrib/101504835129571059830/reviews
@ -285,13 +300,13 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100277377554663873830/reviews
rating: 5
relative_time_description: 4 months ago
text:
text: null
publish_time: '2025-07-30T12:48:48.024309552Z'
- author_name: Mariano D
author_uri: https://www.google.com/maps/contrib/102435729307351627656/reviews
rating: 4
relative_time_description: 8 years ago
text:
text: null
publish_time: '2017-11-25T18:32:00.961Z'
opening_hours:
open_now: false
@ -315,7 +330,10 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: There is a very high degree of confidence in this match. The names are extremely similar, differing only by the omission of 'Manuel'. This is a common abbreviation. The location is a perfect match, as the address 'Arellano 115' is in 'San Antonio de Areco', Argentina, which precisely matches the city and country of the institution. The Google Maps type 'library' is also a direct and exact match for the institution type.
reasoning: There is a very high degree of confidence in this match. The names are extremely similar, differing only by
the omission of 'Manuel'. This is a common abbreviation. The location is a perfect match, as the address 'Arellano 115'
is in 'San Antonio de Areco', Argentina, which precisely matches the city and country of the institution. The Google
Maps type 'library' is also a direct and exact match for the institution type.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -340,7 +358,8 @@ youtube_enrichment:
channel_id: UClztXj1vZ_oprjGoA8nyCDg
channel_url: https://www.youtube.com/channel/UClztXj1vZ_oprjGoA8nyCDg
title: Biblioteca Popular Manuel Belgrano
description: Eventos, festivales, presentación de libros, conferencias, narración oral, recitales y otras actividades que se realicen en la biblioteca.
description: Eventos, festivales, presentación de libros, conferencias, narración oral, recitales y otras actividades que
se realicen en la biblioteca.
custom_url: '@bibliotecapopularmanuelbel4738'
published_at: '2022-04-16T13:09:01.024276Z'
country: ''
@ -353,7 +372,8 @@ youtube_enrichment:
- video_id: k_LqbNKKCzY
video_url: https://www.youtube.com/watch?v=k_LqbNKKCzY
title: Festival del Libro 4ta Edición. The Walking Conurban. El conurbano en 10 imagenes,
description: En el marco de los 101 años de la Biblioteca Popular MAnuel Belgrano de Berazategui, y de la 4ta edición del Festival del Libro, se presentó en la Sala Antonio Carballo el grupo The Walking Conurban.
description: En el marco de los 101 años de la Biblioteca Popular MAnuel Belgrano de Berazategui, y de la 4ta edición
del Festival del Libro, se presentó en la Sala Antonio Carballo el grupo The Walking Conurban.
published_at: '2025-10-20T01:46:25Z'
duration: PT1H2M42S
view_count: 18
@ -364,7 +384,9 @@ youtube_enrichment:
- video_id: qW8rvqN0xJE
video_url: https://www.youtube.com/watch?v=qW8rvqN0xJE
title: Conversatorio Con Federico Jeanmaire. Biblioteca Popular Manuel Belgrano. Festival del libro 2025
description: En el marco de la 4ta Edicion del Festival del libro de la Biblioteca Popular Manuel Belgrano de Berazategui , se presentó el escritor Federico Jeanmaire donde participó de un conversatorio junto a Ailín Basilio recorriendo diferentes momentos de su extensa carrera.
description: En el marco de la 4ta Edicion del Festival del libro de la Biblioteca Popular Manuel Belgrano de Berazategui
, se presentó el escritor Federico Jeanmaire donde participó de un conversatorio junto a Ailín Basilio recorriendo diferentes
momentos de su extensa carrera.
published_at: '2025-10-20T00:04:22Z'
duration: PT1H31M21S
view_count: 57
@ -375,7 +397,8 @@ youtube_enrichment:
- video_id: otpY9GOXRMU
video_url: https://www.youtube.com/watch?v=otpY9GOXRMU
title: Presentación del Libro "Alma de Amapola" de CIn Wololo en la Biblioteca Popular Manuel Belgrano.
description: En el marco del festejo por el 101 Aniversario de la Biblioteca Popular Manuel Belgrano de Berazategui, la autora Cintia Scacciaferro dijo presente en este Ciclo de Conversatorios a cargo de Ailin Basilio.
description: En el marco del festejo por el 101 Aniversario de la Biblioteca Popular Manuel Belgrano de Berazategui, la
autora Cintia Scacciaferro dijo presente en este Ciclo de Conversatorios a cargo de Ailin Basilio.
published_at: '2025-09-15T01:52:10Z'
duration: PT45M40S
view_count: 57
@ -386,7 +409,8 @@ youtube_enrichment:
- video_id: zHdVDUwTahw
video_url: https://www.youtube.com/watch?v=zHdVDUwTahw
title: ORQUESTA DE GUITARRA "Abel Fleury" HD
description: En el marco de la tercera edicion del festival del libro la orquesta se presento en nuestra institucion sumandose a los festejos del centenario.
description: En el marco de la tercera edicion del festival del libro la orquesta se presento en nuestra institucion sumandose
a los festejos del centenario.
published_at: '2024-09-18T03:59:36Z'
duration: PT23M37S
view_count: 184
@ -397,7 +421,8 @@ youtube_enrichment:
- video_id: xkisBeZjN7Q
video_url: https://www.youtube.com/watch?v=xkisBeZjN7Q
title: 'Presentacion del libro Cadena Figaro: Eslabones hechos cuento ,del Colectivo de Escritura Gente Rara'
description: En el marco de la tercera edición del Festival del Libro y los festejos por el centenario de la Biblioteca Popular Manuel Belgrano, se realizó la presentacion de este libro por sus autores/as.
description: En el marco de la tercera edición del Festival del Libro y los festejos por el centenario de la Biblioteca
Popular Manuel Belgrano, se realizó la presentacion de este libro por sus autores/as.
published_at: '2024-09-16T22:19:05Z'
duration: PT24M29S
view_count: 58
@ -408,7 +433,9 @@ youtube_enrichment:
- video_id: WLZR8WIA-0E
video_url: https://www.youtube.com/watch?v=WLZR8WIA-0E
title: PRESENTACIÓN DEL LIBRO "GIORGIO, QUELLO DEI CAPELLI LUNGHI" DE JORGE PATANELLA. HD
description: "EN EL MARCO DE LOS FESTEJOS DEL CENTENARIO DE NUESTRA INSTITUCION SE REALIZÓ LA PRESENTACIÓN DE ESTE LIBRO DE JORGE PATANELLA, QUE CONTIENE ADEMÁS LA VERSIÓN TRADUCIDA AL ITALIANO. FESTIVAL DEL LIBRO 3ERA EDICIÓN. \nBIBLIOTECA POPULAR MANUEL BELGRANO."
description: "EN EL MARCO DE LOS FESTEJOS DEL CENTENARIO DE NUESTRA INSTITUCION SE REALIZÓ LA PRESENTACIÓN DE ESTE LIBRO\
\ DE JORGE PATANELLA, QUE CONTIENE ADEMÁS LA VERSIÓN TRADUCIDA AL ITALIANO. FESTIVAL DEL LIBRO 3ERA EDICIÓN. \nBIBLIOTECA\
\ POPULAR MANUEL BELGRANO."
published_at: '2024-09-15T21:11:25Z'
duration: PT9M44S
view_count: 105
@ -419,7 +446,8 @@ youtube_enrichment:
- video_id: hAV-vxI_2BA
video_url: https://www.youtube.com/watch?v=hAV-vxI_2BA
title: Conversatorio con Liliana Heker -Festival del Libro 3era Edicion. HD.
description: En el marco de la tercera edicion del Festival del Libro, la escritora se presentó en la Biblioteca Popular Manuel Belgrano de Berazategui, para sumarse a los festejos del Centenario de nuestra institución.
description: En el marco de la tercera edicion del Festival del Libro, la escritora se presentó en la Biblioteca Popular
Manuel Belgrano de Berazategui, para sumarse a los festejos del Centenario de nuestra institución.
published_at: '2024-09-15T20:27:13Z'
duration: PT1H40M14S
view_count: 195
@ -452,9 +480,9 @@ youtube_enrichment:
- video_id: 8ojlZGtC68w
video_url: https://www.youtube.com/watch?v=8ojlZGtC68w
title: PRESENTACION DEL LIBRO ACORDEON COLORIDO A LEER TE CONVIDO .FESTIVAL DEL LIBRO 1A.ED.
description: 'El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de las autoras del libro, Ayelén Rodriguez, Cintia Periz, Mariana Perata y Marina Vitagliano.'
description: |-
El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de las autoras del libro, Ayelén Rodriguez, Cintia Periz, Mariana Perata y Marina Vitagliano.
published_at: '2022-04-25T01:51:37Z'
duration: PT29M
view_count: 94
@ -465,9 +493,9 @@ youtube_enrichment:
- video_id: Bob1lcZwf00
video_url: https://www.youtube.com/watch?v=Bob1lcZwf00
title: 'PRESENTACION DEL LIBRO: LOS SONIDOS DEL PARQUE DE ANA CLARA COZZI. FESTIVAL DEL LIBRO 1A. ED.'
description: 'El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de la escritora Ana Clara Cozzi quien nos presento su nuevo libro.'
description: |-
El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de la escritora Ana Clara Cozzi quien nos presento su nuevo libro.
published_at: '2022-04-25T00:46:00Z'
duration: PT29M16S
view_count: 54
@ -478,9 +506,9 @@ youtube_enrichment:
- video_id: OR4LM0xFVK8
video_url: https://www.youtube.com/watch?v=OR4LM0xFVK8
title: 'PRESENTACION DEL LIBRO: DOS ALMAS UNA CANCION DE MARIA VICTORIA PEREZ. FESTIVAL DEL LIBRO 1A.ED.'
description: 'El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de la escritora Maria Victoria Perez presentandonos su nuevo libro.'
description: |-
El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia de la escritora Maria Victoria Perez presentandonos su nuevo libro.
published_at: '2022-04-25T00:03:14Z'
duration: PT26M14S
view_count: 41
@ -491,9 +519,9 @@ youtube_enrichment:
- video_id: 5FoKstKSnm8
video_url: https://www.youtube.com/watch?v=5FoKstKSnm8
title: CONVERSATORIO CON MARTIN KOHAN FESTIVAL DEL LIBRO 1A.ED.
description: 'El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia del Escritor Martin Kohan.'
description: |-
El dia 23 de Abril de 2022 se llevo a cabo el Festival de Libro 1a. Ed. en la Biblioteca Popular Manuel Belgrano de Berazategui.
Entre otras actividades destacadas contamos con la presencia del Escritor Martin Kohan.
published_at: '2022-04-24T20:18:37Z'
duration: PT1H19M15S
view_count: 1784
@ -504,7 +532,10 @@ youtube_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The YouTube channel title is an exact match with the institution name. The description explicitly states that the channel's content is related to events, festivals, and other activities held at the library, which is consistent with the type of content a public library would promote. Given these strong indicators, it is highly likely that this is the official channel for the Biblioteca Popular Manuel Belgrano.
reasoning: The YouTube channel title is an exact match with the institution name. The description explicitly states that
the channel's content is related to events, festivals, and other activities held at the library, which is consistent
with the type of content a public library would promote. Given these strong indicators, it is highly likely that this
is the official channel for the Biblioteca Popular Manuel Belgrano.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -64,7 +64,8 @@ provenance:
confidence_score: 1.0
notes:
- Removed incorrect wikidata_enrichment on 2025-12-08T08:18:21.143987+00:00. Re-enrichment required with proper matching.
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:15Z: Maps: Biblioteca Pública y Municipal Domingo Faustino Sarmiento (conf: 0.90); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:15Z: Maps: Biblioteca Pública y Municipal Domingo Faustino Sarmiento
(conf: 0.90); YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
schema_version: 2.0.0
@ -97,9 +98,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294944+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294944+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -108,8 +112,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Municipal Domingo Faustino Sarmiento
@ -117,9 +121,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294944+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294944+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -127,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294944+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294944+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Miguel
@ -137,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294944+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294944+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q16941610
@ -147,9 +160,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q16941610
timestamp: '2025-11-17T17:00:42.294944+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294944+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -186,25 +202,32 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111321358638987546912/reviews
rating: 4
relative_time_description: a year ago
text: Hi, I'm a millennial, and I used to go to that library back when the internet hadn't even existed. Ha ha, so old school! I remember arriving with the sun high in the air and leaving with the library in darkness as the sun set. It would be nice if they were open on Saturdays, so those of us who study would have a place to study without distractions, since we can't do it from Monday to Friday. Like the Library of Congress, which offers that option. What a shame 😔
text: Hi, I'm a millennial, and I used to go to that library back when the internet hadn't even existed. Ha ha, so old
school! I remember arriving with the sun high in the air and leaving with the library in darkness as the sun set. It
would be nice if they were open on Saturdays, so those of us who study would have a place to study without distractions,
since we can't do it from Monday to Friday. Like the Library of Congress, which offers that option. What a shame 😔
publish_time: '2024-09-27T23:01:47.112514Z'
- author_name: Claudia Amarilla
author_uri: https://www.google.com/maps/contrib/103846550373999095208/reviews
rating: 5
relative_time_description: 7 months ago
text: It was my baby on Friday, April 25, 2025. They gave him a book and he was amazed. He wants me to make it a member, which I will obviously do. Thanks.
text: It was my baby on Friday, April 25, 2025. They gave him a book and he was amazed. He wants me to make it a member,
which I will obviously do. Thanks.
publish_time: '2025-04-28T12:57:57.730573Z'
- author_name: Marcela
author_uri: https://www.google.com/maps/contrib/102676500011743808566/reviews
rating: 5
relative_time_description: 8 months ago
text: I did all my school projects in the 70s and always found the materials I needed. Today I have university books and notes to donate and wanted to know if I can bring them.
text: I did all my school projects in the 70s and always found the materials I needed. Today I have university books and
notes to donate and wanted to know if I can bring them.
publish_time: '2025-03-28T22:43:13.902238Z'
- author_name: Liliana León
author_uri: https://www.google.com/maps/contrib/102862714929676319411/reviews
rating: 5
relative_time_description: a year ago
text: I studied in that library. So many memories. I'd leave the Quilmes Normal School and go to study there. I'd never find a library like it. Now that I'm a retired teacher and live in the capital, I always remember that library. What a time!
text: I studied in that library. So many memories. I'd leave the Quilmes Normal School and go to study there. I'd never
find a library like it. Now that I'm a retired teacher and live in the capital, I always remember that library. What
a time!
publish_time: '2024-07-30T23:08:03.115322Z'
opening_hours:
open_now: true
@ -238,7 +261,9 @@ google_maps_enrichment:
is_match: true
confidence: 0.9
entity_type: GRP.HER
reasoning: Strong name match (Biblioteca Popular y Municipal Domingo Faustino Sarmiento vs. Biblioteca Pública y Municipal Domingo Faustino Sarmiento; 'Popular' and 'Pública' are synonyms for 'Public' in this context), location match (both in Argentina), and type match ('library' is an expected type for GRP.HER).
reasoning: Strong name match (Biblioteca Popular y Municipal Domingo Faustino Sarmiento vs. Biblioteca Pública y Municipal
Domingo Faustino Sarmiento; 'Popular' and 'Pública' are synonyms for 'Public' in this context), location match (both
in Argentina), and type match ('library' is an expected type for GRP.HER).
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -312,7 +337,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q7075
label: library
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials, such as books, manuscripts, recordings, or films
description: institution charged with the care of a collection of literary, musical, artistic, or reference materials,
such as books, manuscripts, recordings, or films
wikidata_instance_of: *id003
wikidata_location:
coordinates: &id006

View file

@ -74,7 +74,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:53:04Z: Maps: Biblioteca Popular Rafael Obligado (conf: 1.00); YouTube: Biblioteca Popular Rafael Obligado (108 subs)'
- 'YouTube/Google Maps enrichment 2025-12-08T17:53:04Z: Maps: Biblioteca Popular Rafael Obligado (conf: 1.00); YouTube:
Biblioteca Popular Rafael Obligado (108 subs)'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:22Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:45Z
schema_version: 2.0.0
@ -110,9 +111,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872379+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872379+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -121,8 +125,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Rafael Obligado
@ -130,9 +134,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872379+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872379+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -140,9 +147,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872379+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872379+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: San Pedro
@ -150,9 +160,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:44.872379+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872379+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
- claim_type: wikidata_id
claim_value: Q58483739
@ -160,9 +173,12 @@ ch_annotator:
provenance:
namespace: wikidata
path: /entity/Q58483739
timestamp: '2025-11-17T17:00:44.872379+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:44.872379+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.98
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -203,7 +219,8 @@ wikidata_enrichment:
instance_of: &id003
- id: Q28564
label: public library
description: free community resource offering access to books, media, and information, promoting literacy and education for all ages
description: free community resource offering access to books, media, and information, promoting literacy and education
for all ages
- id: Q385994
label: special library
description: specialized library providing resources on a particular topic or discipline
@ -277,32 +294,29 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/106940563523345210267/reviews
rating: 5
relative_time_description: 7 years ago
text: 'Founded on August 30, 1872, the Rafael Obligado Public Library is one of the oldest in the province, more than 130 years old. It was created under the Sarmiento Law.
text: |-
Founded on August 30, 1872, the Rafael Obligado Public Library is one of the oldest in the province, more than 130 years old. It was created under the Sarmiento Law.
The founding meeting was held at School No. 1 on August 30, 1872, where the Promoting Association was formed under the presidency of Miguel Aulí. He took over as librarian, in charge of book purchases, and also requested permission from his superiors to locate it on the school premises.
In 1944, the name "Rafael Obligado" was chosen for the Public Library, and it was officially baptized on August 30, 1945.
During our visit to San Pedro, we wanted to visit it, as it is one of the oldest and best-preserved institutions in the city.
We appreciate the kindness and dedication of your librarians in welcoming us and sharing their knowledge with us.
Congratulations, Rafael Obligado Public Library
Hours: Monday to Friday, 1:00 PM to 7:00 PM. Closed Saturdays and Sundays.'
Hours: Monday to Friday, 1:00 PM to 7:00 PM. Closed Saturdays and Sundays.
publish_time: '2018-10-18T10:41:10.698833313Z'
- author_name: Manuel Rovira
author_uri: https://www.google.com/maps/contrib/104739697143865128004/reviews
rating: 4
relative_time_description: 2 years ago
text: Beautiful from a building perspective and with affordable prices. It would be desirable to make the collection more accessible to the general public.
text: Beautiful from a building perspective and with affordable prices. It would be desirable to make the collection more
accessible to the general public.
publish_time: '2023-12-02T16:30:08.454344Z'
- author_name: Cristina Zalazar
author_uri: https://www.google.com/maps/contrib/115607317463991515872/reviews
rating: 5
relative_time_description: 3 years ago
text: A historic building preserved down to the last detail. Numerous cultural activities are on offer. And, no less relevant, are the new books available to San Pedro readers.
text: A historic building preserved down to the last detail. Numerous cultural activities are on offer. And, no less relevant,
are the new books available to San Pedro readers.
publish_time: '2022-04-22T22:32:47.030507Z'
- author_name: Jose Bertoni
author_uri: https://www.google.com/maps/contrib/115604196410433657150/reviews
@ -341,7 +355,9 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The Google Maps candidate is a perfect match. 1. The name 'Biblioteca Popular Rafael Obligado' is identical. 2. The location in San Pedro, Argentina, is consistent with the institution's city and country. 3. The Google Maps type 'library' is a perfect match for the institution type.
reasoning: The Google Maps candidate is a perfect match. 1. The name 'Biblioteca Popular Rafael Obligado' is identical.
2. The location in San Pedro, Argentina, is consistent with the institution's city and country. 3. The Google Maps type
'library' is a perfect match for the institution type.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0
@ -366,7 +382,9 @@ youtube_enrichment:
channel_id: UCNVfZIItjqhes3TtO7QAUaQ
channel_url: https://www.youtube.com/channel/UCNVfZIItjqhes3TtO7QAUaQ
title: Biblioteca Popular Rafael Obligado
description: "Fundada el 30 de agosto de 1872, somos una biblioteca popular de San Pedro, Buenos Aires. Contamos con una sala de lectura con wifi, hemeroteca y un catálogo con más de 37.000 títulos. Si querés conocer nuestras actividades, seguinos en Facebook e Instagram. \n\n\U0001F4DA Catálogo online: http://0226.bepe.ar/ \n"
description: "Fundada el 30 de agosto de 1872, somos una biblioteca popular de San Pedro, Buenos Aires. Contamos con una\
\ sala de lectura con wifi, hemeroteca y un catálogo con más de 37.000 títulos. Si querés conocer nuestras actividades,\
\ seguinos en Facebook e Instagram. \n\n\U0001F4DA Catálogo online: http://0226.bepe.ar/ \n"
custom_url: '@bibliopopularrafaelobligado'
published_at: '2018-05-03T19:08:08Z'
country: ''
@ -379,7 +397,13 @@ youtube_enrichment:
- video_id: 6z6TLypuWLY
video_url: https://www.youtube.com/watch?v=6z6TLypuWLY
title: Inauguración Biblioteca de Las Canaletas
description: "\U0001F4DA Desde el verano de 2023, la Biblioteca forma parte del proyecto Biblioteca en Barrios, que se lleva adelante en la Cooperativa de las Canaletas.\n\nCoordinado y dirigido por la Prof. Ana Sarchione, los primeros y terceros sábados de cada mes, se invita a niñas, niños y adolescentes del barrio a disfrutar de la lectura, descubrir historias, dialogar y jugar.\n\nUn proyecto que busca fomentar la lectura y la libertad de pensamiento, creando comunidad a través de los cuentos.\n\n✨ Como resultado de estos encuentros, el sábado se inauguró la Sala de Lectura, un logro posible gracias al apoyo y la colaboración de muchas voluntades. \n\nHorarios \U0001F563 martes y jueves, de 17.15 a 19.15 y los viernes de 10 a 12.\nVideo realizado por Virginia Liloff"
description: "\U0001F4DA Desde el verano de 2023, la Biblioteca forma parte del proyecto Biblioteca en Barrios, que se\
\ lleva adelante en la Cooperativa de las Canaletas.\n\nCoordinado y dirigido por la Prof. Ana Sarchione, los primeros\
\ y terceros sábados de cada mes, se invita a niñas, niños y adolescentes del barrio a disfrutar de la lectura, descubrir\
\ historias, dialogar y jugar.\n\nUn proyecto que busca fomentar la lectura y la libertad de pensamiento, creando comunidad\
\ a través de los cuentos.\n\n✨ Como resultado de estos encuentros, el sábado se inauguró la Sala de Lectura, un logro\
\ posible gracias al apoyo y la colaboración de muchas voluntades. \n\nHorarios \U0001F563 martes y jueves, de 17.15\
\ a 19.15 y los viernes de 10 a 12.\nVideo realizado por Virginia Liloff"
published_at: '2025-10-23T19:51:02Z'
duration: PT2M51S
view_count: 1
@ -390,7 +414,10 @@ youtube_enrichment:
- video_id: sQ36TSjmYgI
video_url: https://www.youtube.com/watch?v=sQ36TSjmYgI
title: Olga Rasio lee a Roberto Iglesias - Imágenes
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:01:45Z'
duration: PT1M21S
view_count: 3
@ -401,7 +428,10 @@ youtube_enrichment:
- video_id: gYo5Hy-32sQ
video_url: https://www.youtube.com/watch?v=gYo5Hy-32sQ
title: Carlos Biscia - Ruta escénica de los dinosaurios, provincia de San Juan, Argentina
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:01:25Z'
duration: PT4M8S
view_count: 3
@ -412,7 +442,10 @@ youtube_enrichment:
- video_id: d8TVC8Kl6Ik
video_url: https://www.youtube.com/watch?v=d8TVC8Kl6Ik
title: Teresa Fontana - Viaje a las cataratas del Iguazú
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:01:13Z'
duration: PT2M51S
view_count: 2
@ -423,7 +456,10 @@ youtube_enrichment:
- video_id: SEUOr29TfMM
video_url: https://www.youtube.com/watch?v=SEUOr29TfMM
title: María Azucena Olivieri - Diálogo de dos conejos
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:01:01Z'
duration: PT1M38S
view_count: 1
@ -434,7 +470,10 @@ youtube_enrichment:
- video_id: KH58fEt2kbE
video_url: https://www.youtube.com/watch?v=KH58fEt2kbE
title: Fernanda Suárez lee a Roberto Iglesias - Sin decirnos nada
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:41Z'
duration: PT1M3S
view_count: 2
@ -445,7 +484,10 @@ youtube_enrichment:
- video_id: BvjjL_mfSXo
video_url: https://www.youtube.com/watch?v=BvjjL_mfSXo
title: Enrique Massaglia lee a Roberto Iglesias - Pienso en vos
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:22Z'
duration: PT52S
view_count: 10
@ -456,7 +498,10 @@ youtube_enrichment:
- video_id: BXRtg9-4piU
video_url: https://www.youtube.com/watch?v=BXRtg9-4piU
title: Hugo Orso - Las artes y las ciencias
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:21Z'
duration: PT3M1S
view_count: 1
@ -467,7 +512,10 @@ youtube_enrichment:
- video_id: 4zHSgWaJ-3Y
video_url: https://www.youtube.com/watch?v=4zHSgWaJ-3Y
title: Gilda Cardoso - Un sueño
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:16Z'
duration: PT2M5S
view_count: 1
@ -478,7 +526,10 @@ youtube_enrichment:
- video_id: 5cO6ZIdzc8U
video_url: https://www.youtube.com/watch?v=5cO6ZIdzc8U
title: María Rosa Di Cicco - Punto cruz
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:12Z'
duration: PT7M41S
view_count: 7
@ -489,7 +540,10 @@ youtube_enrichment:
- video_id: 6-Eciw6BTZM
video_url: https://www.youtube.com/watch?v=6-Eciw6BTZM
title: José Vaschetto - El diablo pone la olla, pero no la tapa
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller: Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael Obligado de San Pedro en octubre de 2025."
description: "Historias, recuerdos y poemas que nacen cada viernes en el Taller de la Memoria. Escuchá este podcast de\
\ la Biblioteca Popular Rafael Obligado y sumate a este viaje por la memoria colectiva.\n\nCoordinación del taller:\
\ Psi. Fernanda Suárez\nGrabación: Iñaki Salaverry\nEdición: Daniela Borgo \n\nGrabado en la biblioteca popular Rafael\
\ Obligado de San Pedro en octubre de 2025."
published_at: '2025-10-10T11:00:09Z'
duration: PT2M41S
view_count: 3
@ -500,7 +554,14 @@ youtube_enrichment:
- video_id: O0iByJtQbqY
video_url: https://www.youtube.com/watch?v=O0iByJtQbqY
title: Concierto de Lidia Ksiazkiewicz a beneficio de la Biblioteca Popular Rafael Obligado
description: "Talento, generosidad y simpatía. Estamos profundamente agradecidos con Lidia Książkiewicz que nos regaló un concierto inolvidable el 26 de abril de 2024 en la sala de nuestra biblioteca; con la Asociación Cultural Argentina Polaca por pensar en nuestro espacio y con el teatro Wojtyla por ser el nexo para que esta propuesta pudiera concretarse. \n\nA todos los que colaboraron de una forma u otra, y al público respetuoso que aplaudió con ganas a esta artista prodigiosa que nos deslumbró también con su sencillez y su alegría.\n\n Al afinador de pianos Jorge Motto por su tiempo y precisión; y a Susana Barbosa por el hermoso ramo para la pianista. \n\nEstamos seguros de que todos los que presenciaron este concierto se fueron con una sensación cálida en el corazón luego de oír semejante belleza. Compartir cultura es parte de la tarea de la biblioteca y es posible gracias a la colaboración de todos. Muchas gracias"
description: "Talento, generosidad y simpatía. Estamos profundamente agradecidos con Lidia Książkiewicz que nos regaló\
\ un concierto inolvidable el 26 de abril de 2024 en la sala de nuestra biblioteca; con la Asociación Cultural Argentina\
\ Polaca por pensar en nuestro espacio y con el teatro Wojtyla por ser el nexo para que esta propuesta pudiera concretarse.\
\ \n\nA todos los que colaboraron de una forma u otra, y al público respetuoso que aplaudió con ganas a esta artista\
\ prodigiosa que nos deslumbró también con su sencillez y su alegría.\n\n Al afinador de pianos Jorge Motto por su tiempo\
\ y precisión; y a Susana Barbosa por el hermoso ramo para la pianista. \n\nEstamos seguros de que todos los que presenciaron\
\ este concierto se fueron con una sensación cálida en el corazón luego de oír semejante belleza. Compartir cultura\
\ es parte de la tarea de la biblioteca y es posible gracias a la colaboración de todos. Muchas gracias"
published_at: '2024-05-23T12:23:19Z'
duration: PT2M1S
view_count: 64
@ -511,7 +572,8 @@ youtube_enrichment:
- video_id: 1ieEHwVVYxw
video_url: https://www.youtube.com/watch?v=1ieEHwVVYxw
title: Taller de la memoria 2023 - Presentación del libro "Memoria emotiva"
description: Las participantes del taller de la memoria, que coordinó durante 2023 la psicóloga Fernanda Suárez, compartieron su experiencia en la presentación del libro "Memoria emotiva" a través de estos testimonios.
description: Las participantes del taller de la memoria, que coordinó durante 2023 la psicóloga Fernanda Suárez, compartieron
su experiencia en la presentación del libro "Memoria emotiva" a través de estos testimonios.
published_at: '2024-01-09T10:24:54Z'
duration: PT8M6S
view_count: 15
@ -522,7 +584,9 @@ youtube_enrichment:
- video_id: NrMohbIJ3vQ
video_url: https://www.youtube.com/watch?v=NrMohbIJ3vQ
title: Biblioteca Popular Rafael Obligado - 150 años - San Pedro
description: "30 de agosto cumpleaños nº150 años. \nVideo realizado por Daniela Borgo.\nVoces: Beatriz Rodríguez, Sandra Dombrecht, Román Solsona y Rafael Flaiman.\nwww.bibliotecarafaelobligado.com.ar\n#bibliotecaspopulares \n#cultura \n#sanpedro"
description: "30 de agosto cumpleaños nº150 años. \nVideo realizado por Daniela Borgo.\nVoces: Beatriz Rodríguez, Sandra\
\ Dombrecht, Román Solsona y Rafael Flaiman.\nwww.bibliotecarafaelobligado.com.ar\n#bibliotecaspopulares \n#cultura\
\ \n#sanpedro"
published_at: '2022-08-30T10:00:13Z'
duration: PT2M11S
view_count: 349
@ -544,13 +608,11 @@ youtube_enrichment:
- video_id: Uj4_h4EzqME
video_url: https://www.youtube.com/watch?v=Uj4_h4EzqME
title: 'Himno Nacional. Día de la Independencia. Piano: Rodrigo Cardoso'
description: 'Festejos del Día de la Independencia en la Biblioteca Popular Rafael Obligado
description: |-
Festejos del Día de la Independencia en la Biblioteca Popular Rafael Obligado
Piano Rodrigo Cardoso
Esculturas: Juan D''Estefano
#9dejulio #diadelaindependencia #bibliotecaspopulares'
Esculturas: Juan D'Estefano
#9dejulio #diadelaindependencia #bibliotecaspopulares
published_at: '2022-07-09T11:00:30Z'
duration: PT4M2S
view_count: 263
@ -572,9 +634,9 @@ youtube_enrichment:
- video_id: BdfmlsAb4SQ
video_url: https://www.youtube.com/watch?v=BdfmlsAb4SQ
title: Charla con Cristina Frías de la Agrupación Minerva Mirabal sobre Violencia de Genero
description: 'En el marco del cumpleaños n°149 se realizaron Charlas de Información Ciudadana.
Charla sobre Violencia de Genero con Cristina Frías representante de la Agrupación Minerva Mirabal'
description: |-
En el marco del cumpleaños n°149 se realizaron Charlas de Información Ciudadana.
Charla sobre Violencia de Genero con Cristina Frías representante de la Agrupación Minerva Mirabal
published_at: '2021-09-06T21:05:16Z'
duration: PT17M40S
view_count: 36
@ -585,9 +647,9 @@ youtube_enrichment:
- video_id: paIbuALzq8I
video_url: https://www.youtube.com/watch?v=paIbuALzq8I
title: Charla con Guadalupe Nava de Conciencia ecológica sobre la ecología y los humedales
description: 'En el marco del cumpleaños n°149 se realizaron charlas de Información Ciudadana.
Charla sobre ecología, humedales, cuidados en la ciudad, etc. con Guadalupe Nava representante de la agrupación Conciencia Ecológica'
description: |-
En el marco del cumpleaños n°149 se realizaron charlas de Información Ciudadana.
Charla sobre ecología, humedales, cuidados en la ciudad, etc. con Guadalupe Nava representante de la agrupación Conciencia Ecológica
published_at: '2021-09-02T18:59:38Z'
duration: PT30M26S
view_count: 47
@ -598,9 +660,9 @@ youtube_enrichment:
- video_id: jr0JN72FuUQ
video_url: https://www.youtube.com/watch?v=jr0JN72FuUQ
title: Charla con el Dr Sayago sobre Covid-19
description: 'En el marco del cumpleaños n°149 se realizaron Charlas de Información Ciudadana.
Charla sobre Covid-19 con el Dr Gabriel Sayago. Entrevista: Betty Rodríguez'
description: |-
En el marco del cumpleaños n°149 se realizaron Charlas de Información Ciudadana.
Charla sobre Covid-19 con el Dr Gabriel Sayago. Entrevista: Betty Rodríguez
published_at: '2021-08-30T22:00:27Z'
duration: PT34M56S
view_count: 51
@ -611,13 +673,11 @@ youtube_enrichment:
- video_id: rWdptRBp53M
video_url: https://www.youtube.com/watch?v=rWdptRBp53M
title: Eduardo "El gaucho" Polimante para el 25 de Mayo
description: 'Paro los festejos del Día de la revolución del 25 de Mayo, Eduardo Polimante "El gaucho" nos regalos los temas:
description: |-
Paro los festejos del Día de la revolución del 25 de Mayo, Eduardo Polimante "El gaucho" nos regalos los temas:
-Canta el cantor de Argentino Luna
-De mi madre de Chango Rodríguez
-No llores sauce de Rodolfo Regunaga'
-No llores sauce de Rodolfo Regunaga
published_at: '2021-05-25T20:30:18Z'
duration: PT10M11S
view_count: 134
@ -650,7 +710,9 @@ youtube_enrichment:
- video_id: tRUH4sUjK44
video_url: https://www.youtube.com/watch?v=tRUH4sUjK44
title: Ciclo de Mujeres Escritoras- Recomendaciones. Varias autoras
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Última Entrega: Virginia Woolf, Simone de Beauvoir, Margaret Atwood, Isabel Allende, Ángeles Mastretta, Claudia Piñeiro, Marcela Serrano, María Elena Walsh'
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones
de escritoras que han sido destacadas en la literatura. Última Entrega: Virginia Woolf, Simone de Beauvoir, Margaret
Atwood, Isabel Allende, Ángeles Mastretta, Claudia Piñeiro, Marcela Serrano, María Elena Walsh'
published_at: '2021-03-12T19:49:24Z'
duration: PT3M31S
view_count: 44
@ -661,7 +723,8 @@ youtube_enrichment:
- video_id: owSiQaXQSE8
video_url: https://www.youtube.com/watch?v=owSiQaXQSE8
title: Ciclo de mujeres escritoras. Recomendaciones. Gioconda Belli
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Cuarta Entrega: Gioconda Belli'
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones
de escritoras que han sido destacadas en la literatura. Cuarta Entrega: Gioconda Belli'
published_at: '2021-03-12T10:22:48Z'
duration: PT8M7S
view_count: 50
@ -672,7 +735,8 @@ youtube_enrichment:
- video_id: Pnge4FdLp60
video_url: https://www.youtube.com/watch?v=Pnge4FdLp60
title: Ciclo de mujeres escritoras- Recomendaciones. Susana Thénon
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Tercera Entrega:'
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones
de escritoras que han sido destacadas en la literatura. Tercera Entrega:'
published_at: '2021-03-10T13:13:37Z'
duration: PT2M35S
view_count: 60
@ -683,7 +747,8 @@ youtube_enrichment:
- video_id: Hl9HLqaAA0E
video_url: https://www.youtube.com/watch?v=Hl9HLqaAA0E
title: Ciclo de mujeres escritoras - Recomendaciones. Doris Lessing
description: 'En el marco de los festejos por el Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Segunda Entrega: Doris Lessing'
description: 'En el marco de los festejos por el Día Internacional de la Mujer Trabajadora, conmemoramos este día con
un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Segunda Entrega: Doris Lessing'
published_at: '2021-03-09T12:50:19Z'
duration: PT4M17S
view_count: 33
@ -694,7 +759,8 @@ youtube_enrichment:
- video_id: gFd2KQ0H3R0
video_url: https://www.youtube.com/watch?v=gFd2KQ0H3R0
title: Ciclo de mujeres escritoras- Recomendaciones. Alfonsina Storni
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones de escritoras que han sido destacadas en la literatura. Primera Entrega: Alfonsina Storni'
description: 'En el marco del Día Internacional de la Mujer Trabajadora, conmemoramos este día con un ciclo de recomendaciones
de escritoras que han sido destacadas en la literatura. Primera Entrega: Alfonsina Storni'
published_at: '2021-03-08T13:21:08Z'
duration: PT6M33S
view_count: 41
@ -705,9 +771,9 @@ youtube_enrichment:
- video_id: _P-EmZoWSLY
video_url: https://www.youtube.com/watch?v=_P-EmZoWSLY
title: Recomendaciones II
description: 'Recomendaciones de libros de socias y socios del material de nuestra Biblioteca
En esta oportunidad Valentina Huertas Godoy'
description: |-
Recomendaciones de libros de socias y socios del material de nuestra Biblioteca
En esta oportunidad Valentina Huertas Godoy
published_at: '2021-02-23T23:30:03Z'
duration: PT9M36S
view_count: 68
@ -718,9 +784,9 @@ youtube_enrichment:
- video_id: jca980_nNew
video_url: https://www.youtube.com/watch?v=jca980_nNew
title: Recomendaciones de socias/os Primer lanzamiento
description: 'Recomendaciones de libros de socias y socios del material de nuestra Biblioteca
En esta oportunidad Solange Joannás'
description: |-
Recomendaciones de libros de socias y socios del material de nuestra Biblioteca
En esta oportunidad Solange Joannás
published_at: '2021-01-29T15:40:20Z'
duration: PT6M5S
view_count: 120
@ -731,7 +797,8 @@ youtube_enrichment:
- video_id: kmL6SljoVsE
video_url: https://www.youtube.com/watch?v=kmL6SljoVsE
title: Programa de radio por el Día de las Bibliotecas Populares 2020
description: Con motivo del Día de las Bibliotecas Populares, este año lo festejamos emitiendo un programa de radio en la FM La Correntada.
description: Con motivo del Día de las Bibliotecas Populares, este año lo festejamos emitiendo un programa de radio en
la FM La Correntada.
published_at: '2020-09-26T00:53:41Z'
duration: PT1H11M37S
view_count: 90
@ -742,7 +809,16 @@ youtube_enrichment:
- video_id: odhYHSxwSBk
video_url: https://www.youtube.com/watch?v=odhYHSxwSBk
title: Muestra en homenaje a Leonardo Mórtola
description: "Leonardo Mórtola- Humorista Gráfico sampedrino, creador de \"Don Hilario\".\n(18/9/53-04/04/20)\n\nLeonardo siempre estará en nuestro corazón. Conmemorando hoy el día de su cumpleaños vaya esta pincelada del ingenioso y colorido humor que nos dejó su talento, para mantener vivo su recuerdo en esta ciudad que él tanto amó, donde con su carisma y bondad cosechó tantas amistades. Que sirva esta evocación, en días en que la vida se ve ensombrecida por la ausencia de abrazos, para despertar la calidez de una sonrisa. Muchas gracias a la Biblioteca Popular de San Pedro, y un abrazo a quienes lo conocieron y trataron, y que conservan con alta estima el recuerdo de su persona.\n Silvia Mórtola de Ramis\n\n#Humorgrafico\n#Muestra\n#SanPedro"
description: |-
Leonardo Mórtola- Humorista Gráfico sampedrino, creador de "Don Hilario".
(18/9/53-04/04/20)
Leonardo siempre estará en nuestro corazón. Conmemorando hoy el día de su cumpleaños vaya esta pincelada del ingenioso y colorido humor que nos dejó su talento, para mantener vivo su recuerdo en esta ciudad que él tanto amó, donde con su carisma y bondad cosechó tantas amistades. Que sirva esta evocación, en días en que la vida se ve ensombrecida por la ausencia de abrazos, para despertar la calidez de una sonrisa. Muchas gracias a la Biblioteca Popular de San Pedro, y un abrazo a quienes lo conocieron y trataron, y que conservan con alta estima el recuerdo de su persona.
Silvia Mórtola de Ramis
#Humorgrafico
#Muestra
#SanPedro
published_at: '2020-09-18T17:57:52Z'
duration: PT3M12S
view_count: 33
@ -764,7 +840,8 @@ youtube_enrichment:
- video_id: VxavT6wNw2g
video_url: https://www.youtube.com/watch?v=VxavT6wNw2g
title: Valeria Roldán- Como dos extraños
description: Valeria Roldán interpreta la canción "Como dos extraños" , de José María Contursi con motivo de nuestro 148° Aniversario
description: Valeria Roldán interpreta la canción "Como dos extraños" , de José María Contursi con motivo de nuestro
148° Aniversario
published_at: '2020-09-06T21:00:09Z'
duration: PT3M18S
view_count: 145
@ -786,20 +863,15 @@ youtube_enrichment:
- video_id: tdusdiTVxPc
video_url: https://www.youtube.com/watch?v=tdusdiTVxPc
title: Interfase feat Marianela - Para Elisa
description: 'Interfase feat Marianela Rodriguez
description: |-
Interfase feat Marianela Rodriguez
Para Elisa
L. V. Beethoven
Interfase: Jesus Alzogaray y Fernanda Suarez
sintetizadores edicion mezcla y masterizacion
piano: Marianela rodriguez
Participaron en nuestro 148 Aniversario'
Participaron en nuestro 148 Aniversario
published_at: '2020-09-06T18:30:07Z'
duration: PT3M20S
view_count: 37
@ -810,7 +882,8 @@ youtube_enrichment:
- video_id: AEHD5LAwyLY
video_url: https://www.youtube.com/watch?v=AEHD5LAwyLY
title: María Rosa Di Cicco- La pajarita de papel (cuento)
description: La narradora sampedrina María Rosa Di Cicco nos relata La pajarita de papel de Hamlet Lima Quintana, por nuestro Aniversario 148
description: La narradora sampedrina María Rosa Di Cicco nos relata La pajarita de papel de Hamlet Lima Quintana, por
nuestro Aniversario 148
published_at: '2020-09-06T17:00:02Z'
duration: PT6M35S
view_count: 75
@ -821,7 +894,8 @@ youtube_enrichment:
- video_id: yqQmXVk23x4
video_url: https://www.youtube.com/watch?v=yqQmXVk23x4
title: Stella Mary Lina- Escribir (poesía)
description: La escritora Stella Mary Lina nos comparte un poema de su libro "La soledad de los paréntesis" , por nuestro 148 años
description: La escritora Stella Mary Lina nos comparte un poema de su libro "La soledad de los paréntesis" , por nuestro
148 años
published_at: '2020-09-06T15:30:04Z'
duration: PT1M33S
view_count: 83
@ -832,7 +906,8 @@ youtube_enrichment:
- video_id: s_LgrBlmFvU
video_url: https://www.youtube.com/watch?v=s_LgrBlmFvU
title: Sirenas del Paraná- Paraná
description: Las Sirenas del Paraná nos regalaron por nuestro 148 Aniversario, su tema Paraná inspirado en el mural de Prelato acompañado por la poesía de Aníbal de Antón, ubicado en la costa de nuestra ciudad.
description: Las Sirenas del Paraná nos regalaron por nuestro 148 Aniversario, su tema Paraná inspirado en el mural de
Prelato acompañado por la poesía de Aníbal de Antón, ubicado en la costa de nuestra ciudad.
published_at: '2020-09-05T21:30:01Z'
duration: PT3M15S
view_count: 644
@ -843,7 +918,8 @@ youtube_enrichment:
- video_id: e5SDBPdpto8
video_url: https://www.youtube.com/watch?v=e5SDBPdpto8
title: Mirta Mantovani- Martina y las botas extraordinaria (cuento)
description: La escritora sampedrina, Mirta Mantovani nos comparte el cuento "Martina y las botas extraordinario" del libro ¡Qué abuela más cuentera!, por nuestro 148 Aniversario
description: La escritora sampedrina, Mirta Mantovani nos comparte el cuento "Martina y las botas extraordinario" del
libro ¡Qué abuela más cuentera!, por nuestro 148 Aniversario
published_at: '2020-09-05T19:00:05Z'
duration: PT11M22S
view_count: 77
@ -854,7 +930,8 @@ youtube_enrichment:
- video_id: EEzdCmk9560
video_url: https://www.youtube.com/watch?v=EEzdCmk9560
title: Saludo de Daniel Corti
description: El profesor de teatro Daniel Corti, nos manda un saludos por nuestro aniversario n°148, y nos comparte imágenes de cuando realizaba el taller "La hora del cuento" en el año 2012
description: El profesor de teatro Daniel Corti, nos manda un saludos por nuestro aniversario n°148, y nos comparte imágenes
de cuando realizaba el taller "La hora del cuento" en el año 2012
published_at: '2020-09-05T16:00:02Z'
duration: PT1M11S
view_count: 25
@ -876,7 +953,8 @@ youtube_enrichment:
- video_id: l2FhIM9oC5I
video_url: https://www.youtube.com/watch?v=l2FhIM9oC5I
title: Alejandro Ayala- Un colibrí dentro del sol
description: El narrador Alejandro Ayala nos regalo este hermoso relato "Un colibrí dentro del sol", por nuestro 148 ° Aniversario
description: El narrador Alejandro Ayala nos regalo este hermoso relato "Un colibrí dentro del sol", por nuestro 148 °
Aniversario
published_at: '2020-09-04T18:00:07Z'
duration: PT3M51S
view_count: 68
@ -887,7 +965,8 @@ youtube_enrichment:
- video_id: HaBIuPSKY7A
video_url: https://www.youtube.com/watch?v=HaBIuPSKY7A
title: Gratitud- Olivero Girondo. Alumnos Colegio San Francisco 2018
description: Poema de Oliverio Girondo "Gratitud" que fue grabado en la biblioteca en el año 2018 por alumnos del Colegio San Francisco de Asís, de la mano de la profesora Flavia Hein
description: Poema de Oliverio Girondo "Gratitud" que fue grabado en la biblioteca en el año 2018 por alumnos del Colegio
San Francisco de Asís, de la mano de la profesora Flavia Hein
published_at: '2020-09-04T17:15:00Z'
duration: PT30S
view_count: 170
@ -898,7 +977,8 @@ youtube_enrichment:
- video_id: JPixO8OD1wM
video_url: https://www.youtube.com/watch?v=JPixO8OD1wM
title: Saludo de la Editorial Perro Gris a la Biblioteca
description: La editorial sampedrino Perro Gris nos muestra distintas presentaciones, talleres y evento que han realizado en nuestra institución, por nuestro 148°Aniversario
description: La editorial sampedrino Perro Gris nos muestra distintas presentaciones, talleres y evento que han realizado
en nuestra institución, por nuestro 148°Aniversario
published_at: '2020-09-04T16:00:10Z'
duration: PT1M51S
view_count: 78
@ -909,7 +989,8 @@ youtube_enrichment:
- video_id: HqOzIVaJQv8
video_url: https://www.youtube.com/watch?v=HqOzIVaJQv8
title: Rafael Flaiman- Popurrí de canciones infantiles
description: El músico Rafael Flaiman, nos comparte un popurrí de canciones infantiles realizados en nuestro establecimiento uno años atrás.
description: El músico Rafael Flaiman, nos comparte un popurrí de canciones infantiles realizados en nuestro establecimiento
uno años atrás.
published_at: '2020-09-03T21:00:03Z'
duration: PT8M18S
view_count: 221
@ -942,7 +1023,8 @@ youtube_enrichment:
- video_id: xhE-S2GI8x8
video_url: https://www.youtube.com/watch?v=xhE-S2GI8x8
title: Feria del Libro y escritor sampedrino en la Sociedad Italiana. BPRO
description: Presentación de la Biblioteca Popular Rafael Obligado en la Feria del Libro y escritor sampedrino en la Sociedad Italiana, año 2020
description: Presentación de la Biblioteca Popular Rafael Obligado en la Feria del Libro y escritor sampedrino en la Sociedad
Italiana, año 2020
published_at: '2020-09-03T06:00:07Z'
duration: PT16M23S
view_count: 19
@ -953,7 +1035,8 @@ youtube_enrichment:
- video_id: GJfvcBIP30E
video_url: https://www.youtube.com/watch?v=GJfvcBIP30E
title: Sofía Rotundo- Las golondrinas
description: La cantante Sofía Rotundo nos regalo esta hermosa canción de Eduardo Falú, Las golondrina, por nuestro 148° aniversario
description: La cantante Sofía Rotundo nos regalo esta hermosa canción de Eduardo Falú, Las golondrina, por nuestro 148°
aniversario
published_at: '2020-09-02T21:00:03Z'
duration: PT4M20S
view_count: 216
@ -964,7 +1047,11 @@ youtube_enrichment:
llm_verification:
is_match: true
confidence: 1.0
reasoning: The YouTube channel name 'Biblioteca Popular Rafael Obligado' is an exact match for the institution name. The description explicitly states it is a 'biblioteca popular de San Pedro, Buenos Aires', which is consistent with the institution's city (San Pedro) and country (AR). The description also provides relevant information about the library's services and activities, including a link to an online catalog, further confirming its authenticity and relevance as a heritage institution's official channel.
reasoning: The YouTube channel name 'Biblioteca Popular Rafael Obligado' is an exact match for the institution name. The
description explicitly states it is a 'biblioteca popular de San Pedro, Buenos Aires', which is consistent with the
institution's city (San Pedro) and country (AR). The description also provides relevant information about the library's
services and activities, including a link to an online catalog, further confirming its authenticity and relevance as
a heritage institution's official channel.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -61,3 +61,18 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:07.044631+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-b-scd-m-mm/goal-2025
statement_type: goal
statement_text: Rescue, rehabilitate, reintroduce and conserve animals, and protect their ecosystems.
statement_language: es
source_url: https://www.mundomarino.com.ar/
retrieved_on: '2025-12-30T20:49:53.861356+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:50:03.855845+00:00'
extraction_confidence: 0.7
content_hash: sha256-5ZZy7QoEly6C51IOcAhEejKyWbFGa9QMZ54CRdsXwwA=
prov:
wasDerivedFrom: https://www.mundomarino.com.ar/
generatedAtTime: '2025-12-30T20:49:53.861356+00:00'
source_section: Actuá por el planeta

View file

@ -117,9 +117,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952336+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952336+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -128,8 +131,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Juan Antonio Salceda
@ -137,9 +140,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952336+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952336+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -147,9 +153,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952336+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952336+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Tandil
@ -157,9 +166,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952336+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952336+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -214,19 +226,21 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/100465952371683782593/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-09-21T22:56:07.473510Z'
- author_name: Karina Carbajal
author_uri: https://www.google.com/maps/contrib/113007378837348199261/reviews
rating: 5
relative_time_description: 7 years ago
text:
text: null
publish_time: '2018-03-18T20:40:50.834Z'
google_maps_url: https://maps.google.com/?cid=11656885961195531574&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name is a very strong match, with 'Juan A. Salceda' being a clear abbreviation of 'Juan Antonio Salceda'. The type 'library' is a perfect match. The location is consistent, with the candidate being in Tandil, Buenos Aires, Argentina. High confidence in this being a match.
reasoning: The name is a very strong match, with 'Juan A. Salceda' being a clear abbreviation of 'Juan Antonio Salceda'.
The type 'library' is a perfect match. The location is consistent, with the candidate being in Tandil, Buenos Aires,
Argentina. High confidence in this being a match.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -58,7 +58,8 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:24Z: Maps: Biblioteca Popular Ernesto Tornquist (conf: 0.95); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:24Z: Maps: Biblioteca Popular Ernesto Tornquist (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:26Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:16Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
@ -94,9 +95,12 @@ ch_annotator:
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838588+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838588+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,8 +109,8 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Ernesto Tornquist
@ -114,9 +118,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838588+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838588+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
@ -124,9 +131,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838588+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838588+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Tornquist
@ -134,9 +144,12 @@ ch_annotator:
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838588+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838588+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
@ -191,11 +204,10 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/106531514934737888534/reviews
rating: 5
relative_time_description: 10 months ago
text: 'The librarian was a ten, kind and friendly. It''s a good idea to stay there for a long time with books that bring back so many memories.
It''s a shame there are leaks in the ceilings. Please ask them to fix them. That place must continue to exist intact, so we can preserve the memory through books.
I''ll return in the coming years.'
text: |-
The librarian was a ten, kind and friendly. It's a good idea to stay there for a long time with books that bring back so many memories.
It's a shame there are leaks in the ceilings. Please ask them to fix them. That place must continue to exist intact, so we can preserve the memory through books.
I'll return in the coming years.
publish_time: '2025-01-24T14:54:39.153555Z'
- author_name: Verónica Fernández
author_uri: https://www.google.com/maps/contrib/108244937504448092005/reviews
@ -219,7 +231,7 @@ google_maps_enrichment:
author_uri: https://www.google.com/maps/contrib/111383138663670747847/reviews
rating: 5
relative_time_description: 3 years ago
text:
text: null
publish_time: '2022-06-06T22:56:48.106586Z'
opening_hours:
open_now: true
@ -252,7 +264,11 @@ google_maps_enrichment:
llm_verification:
is_match: true
confidence: 0.95
reasoning: The name of the institution and the Google Maps candidate are an exact match. The location is highly consistent, with the candidate address being in Argentina, matching the institution's country, and specifically in the city of Tornquist, which is also in the institution's name. The type is also a direct match, as the institution is a library and the candidate's primary type is 'library'. The lack of a website for the candidate slightly lowers the confidence but does not detract from the high match quality.
reasoning: The name of the institution and the Google Maps candidate are an exact match. The location is highly consistent,
with the candidate address being in Argentina, matching the institution's country, and specifically in the city of Tornquist,
which is also in the institution's name. The type is also a direct match, as the institution is a library and the candidate's
primary type is 'library'. The lack of a website for the candidate slightly lowers the confidence but does not detract
from the high match quality.
agent: glm-4.6
verified: true
ch_annotator_version: ch_annotator-v1_7_0

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '1299'
identifier_url: https://www.conabip.gob.ar/biblioteca/1299
- &id001
identifier_scheme: CONABIP
identifier_value: '1299'
identifier_url: https://www.conabip.gob.ar/biblioteca/1299
locations:
- city: Tres Arroyos
region: BUENOS AIRES
country: AR
latitude: -38.687417
longitude: -59.782333
- city: Tres Arroyos
region: BUENOS AIRES
country: AR
latitude: -38.687417
longitude: -59.782333
processing_timestamp: '2025-12-06T23:36:13.508398+00:00'
ghcid:
ghcid_current: AR-B-TRE-L-BPPAL
@ -28,29 +28,29 @@ ghcid:
city_code: TRE
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-B-TRE-L-BPPAL
valid_from: '2025-12-10T10:00:38.940599+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-TRE-L-BPPAL
ghcid_numeric: 2874691239889584669
valid_from: '2025-12-06T23:36:13.508398+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-B-TRE-L-BPPAL
valid_from: '2025-12-10T10:00:38.940599+00:00'
reason: 'Fixed region code: BU -> B (ISO 3166-2:AR)'
- ghcid: AR-BU-TRE-L-BPPAL
ghcid_numeric: 2874691239889584669
valid_from: '2025-12-06T23:36:13.508398+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular y Pública Amigos del Libro
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-TRE-L-BPPAL
- identifier_scheme: GHCID_UUID
identifier_value: 229553df-829a-54f1-8cd3-ed89eb7b89d9
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 27e4f473-b08b-821d-74f5-8e2860759c95
- identifier_scheme: GHCID_NUMERIC
identifier_value: '2874691239889584669'
- identifier_scheme: RECORD_ID
identifier_value: e5282f17-7cef-4f6d-b468-818306d74177
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-TRE-L-BPPAL
- identifier_scheme: GHCID_UUID
identifier_value: 229553df-829a-54f1-8cd3-ed89eb7b89d9
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 27e4f473-b08b-821d-74f5-8e2860759c95
- identifier_scheme: GHCID_NUMERIC
identifier_value: '2874691239889584669'
- identifier_scheme: RECORD_ID
identifier_value: e5282f17-7cef-4f6d-b468-818306d74177
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,13 +58,13 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:28Z: Maps: Biblioteca Popular Amigos del Libro (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:26Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:16Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:08:28Z: Maps: Biblioteca Popular Amigos del Libro (conf: 0.95); YouTube:
not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:26Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:16Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -75,8 +75,8 @@ provenance:
verified_at: '2025-12-28T19:57:07.205347+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:07.205362+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -88,15 +88,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952962+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952962+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -105,45 +108,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular y Pública Amigos del Libro
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952962+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952962+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Tres Arroyos
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:01:02.952962+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular y Pública Amigos del Libro
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952962+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952962+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Tres Arroyos
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:01:02.952962+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.508398+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular y Pública Amigos del Libro
description: biblioteca popular en Tres Arroyos, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -178,67 +190,66 @@ google_maps_enrichment:
phone_international: +54 299 579-1498
website: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918/
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.6
total_ratings: 14
reviews:
- author_name: Adriana Mabel Jodor
author_uri: https://www.google.com/maps/contrib/100960389097666449691/reviews
rating: 5
relative_time_description: 6 months ago
text: It's a very pleasant place. The staff is attentive and friendly and creates interesting activities that attract
the general public. They're currently opening a children's reading area. The place is aesthetically pleasing, kid-friendly,
and offers valuable bibliographical content.
publish_time: '2025-05-16T20:13:22.925254Z'
- author_name: Julieta Martina Morales
author_uri: https://www.google.com/maps/contrib/108181680620418466244/reviews
rating: 5
relative_time_description: 4 years ago
text: It's a beautiful and peaceful place. Perfect for concentrating and doing homework. It relaxes me and helps me
focus.
publish_time: '2021-10-25T20:07:15.080122Z'
- author_name: Mariano Eduardo Folatelli
author_uri: https://www.google.com/maps/contrib/100536576058052224375/reviews
rating: 5
relative_time_description: 3 years ago
text: I really like it. It's very pretty, the service is very good, it's a pleasure to go, there's lots of reading material,
and it's very up-to-date. Thank you.
publish_time: '2022-12-01T19:50:56.071684Z'
- author_name: Paula Tendler
author_uri: https://www.google.com/maps/contrib/102711170597637645061/reviews
rating: 4
relative_time_description: 4 years ago
text: I knew the place because I donated my father's college textbooks on economics and business administration, and
it seemed well-organized.
publish_time: '2021-08-23T22:39:43.141651Z'
- author_name: Juan oscar Castaño
author_uri: https://www.google.com/maps/contrib/114141150903973792125/reviews
rating: 4
relative_time_description: 6 years ago
text: Very complete
publish_time: '2019-05-18T13:41:31.196274Z'
- author_name: Adriana Mabel Jodor
author_uri: https://www.google.com/maps/contrib/100960389097666449691/reviews
rating: 5
relative_time_description: 6 months ago
text: It's a very pleasant place. The staff is attentive and friendly and creates interesting activities that attract
the general public. They're currently opening a children's reading area. The place is aesthetically pleasing, kid-friendly,
and offers valuable bibliographical content.
publish_time: '2025-05-16T20:13:22.925254Z'
- author_name: Julieta Martina Morales
author_uri: https://www.google.com/maps/contrib/108181680620418466244/reviews
rating: 5
relative_time_description: 4 years ago
text: It's a beautiful and peaceful place. Perfect for concentrating and doing homework. It relaxes me and helps me focus.
publish_time: '2021-10-25T20:07:15.080122Z'
- author_name: Mariano Eduardo Folatelli
author_uri: https://www.google.com/maps/contrib/100536576058052224375/reviews
rating: 5
relative_time_description: 3 years ago
text: I really like it. It's very pretty, the service is very good, it's a pleasure to go, there's lots of reading material,
and it's very up-to-date. Thank you.
publish_time: '2022-12-01T19:50:56.071684Z'
- author_name: Paula Tendler
author_uri: https://www.google.com/maps/contrib/102711170597637645061/reviews
rating: 4
relative_time_description: 4 years ago
text: I knew the place because I donated my father's college textbooks on economics and business administration, and it
seemed well-organized.
publish_time: '2021-08-23T22:39:43.141651Z'
- author_name: Juan oscar Castaño
author_uri: https://www.google.com/maps/contrib/114141150903973792125/reviews
rating: 4
relative_time_description: 6 years ago
text: Very complete
publish_time: '2019-05-18T13:41:31.196274Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 10:00AM7:00PM'
- 'Tuesday: 10:00AM7:00PM'
- 'Wednesday: 10:00AM7:00PM'
- 'Thursday: 10:00AM7:00PM'
- 'Friday: 10:00AM7:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 2
photos_metadata:
- name: places/ChIJKeZPLMY6CpYRPhZZ3qq9dsM/photos/AZLasHog2CkQaXYXQSVHM2Gl38MLa_zwvawgnzJqrJBMaeUHHFN_wAy8kEKGSjmCHms0VsTP-EkNo1xVzC3R6X_sqrksbjtRnb_ss_qLL6Q9jfEb-UR7z0xdpzdIx_6KE6Szw9ch6b2KNA0SPs9jvrErurVtBfK5nnJp6LgJGjAzq9PIMtgE4OBS9xgbTgFg-U94sk2PskqBNZ7KTEEWJA4vgNgrSCb8wvGqV1CgiF4XqXrhNunX2CtaxS1ZMvbX2sD5IWbyO90casD1nylJuoYg_B85fY0Z-PV4iXY-XDSBzIwZNfWC4pwyqQ7FI3d6wgw9cqnq3G26olPDd2j2I2BmiEruYGz3NDczwxRi0fwuyxDmtcf5DD44f_hm69WiIZsw7q5ScJTr2FlDj-covzjRjjSPtiZMutVwsfXzzsT1o59Oqjsf
height: 4032
width: 1960
- name: places/ChIJKeZPLMY6CpYRPhZZ3qq9dsM/photos/AZLasHqhIqlePnBbYs8IT5631TOrymbYaG0mGK_XEE1sOCznorRnotFi28D9utttr3GwnbkhZig-RxQbDkJ6lYb3InlZrxG0puSZaX9vEPqzI0uSxhxT8vI3VHXs3Aq6pW8VjFCqRRSaCKeCTBHjua2Hy6hOeHeNlqGwThgUIKqSclRd6LvxSv-mGJquDyLM4mymncQC6rncXAhUW6pT4fB4qk0hT-LfINAL7goittlJG5Ij_5QMg1z3Fn-pjYdc-dgNSXEoO8RWkbq9KBdtP5to7Ph45rjFaTRcG_u2mz0HrzVMY0yjp9QEBJVzGnMOOWPbP6wGF-qsNzjqc-TirqATp54xVTuiaXW8buO0odMlnkjLx7qB0ukJLrk4a-j2Wz0C5a5Li_UbUQP9e-Sjccgnv3KLZBaNurlfwxUIkCjACjkTmOSE
height: 960
width: 1280
- name: places/ChIJKeZPLMY6CpYRPhZZ3qq9dsM/photos/AZLasHog2CkQaXYXQSVHM2Gl38MLa_zwvawgnzJqrJBMaeUHHFN_wAy8kEKGSjmCHms0VsTP-EkNo1xVzC3R6X_sqrksbjtRnb_ss_qLL6Q9jfEb-UR7z0xdpzdIx_6KE6Szw9ch6b2KNA0SPs9jvrErurVtBfK5nnJp6LgJGjAzq9PIMtgE4OBS9xgbTgFg-U94sk2PskqBNZ7KTEEWJA4vgNgrSCb8wvGqV1CgiF4XqXrhNunX2CtaxS1ZMvbX2sD5IWbyO90casD1nylJuoYg_B85fY0Z-PV4iXY-XDSBzIwZNfWC4pwyqQ7FI3d6wgw9cqnq3G26olPDd2j2I2BmiEruYGz3NDczwxRi0fwuyxDmtcf5DD44f_hm69WiIZsw7q5ScJTr2FlDj-covzjRjjSPtiZMutVwsfXzzsT1o59Oqjsf
height: 4032
width: 1960
- name: places/ChIJKeZPLMY6CpYRPhZZ3qq9dsM/photos/AZLasHqhIqlePnBbYs8IT5631TOrymbYaG0mGK_XEE1sOCznorRnotFi28D9utttr3GwnbkhZig-RxQbDkJ6lYb3InlZrxG0puSZaX9vEPqzI0uSxhxT8vI3VHXs3Aq6pW8VjFCqRRSaCKeCTBHjua2Hy6hOeHeNlqGwThgUIKqSclRd6LvxSv-mGJquDyLM4mymncQC6rncXAhUW6pT4fB4qk0hT-LfINAL7goittlJG5Ij_5QMg1z3Fn-pjYdc-dgNSXEoO8RWkbq9KBdtP5to7Ph45rjFaTRcG_u2mz0HrzVMY0yjp9QEBJVzGnMOOWPbP6wGF-qsNzjqc-TirqATp54xVTuiaXW8buO0odMlnkjLx7qB0ukJLrk4a-j2Wz0C5a5Li_UbUQP9e-Sjccgnv3KLZBaNurlfwxUIkCjACjkTmOSE
height: 960
width: 1280
google_maps_url: https://maps.google.com/?cid=14084653426220275262&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -291,20 +302,20 @@ logo_enrichment:
source_url: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918
extraction_method: crawl4ai
claims:
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:31:35.983411+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/440374100_877810671059298_5505891747565574157_n.jpg?stp=dst-jpg_tt6&cstp=mx1022x1022&ctp=s720x720&_nc_cat=108&ccb=1-7&_nc_sid=3ab345&_nc_ohc=N3evplI8VzMQ7kNvwEtS0-Y&_nc_oc=Adk4xAT0AG5QaRaM7zrNtbtdtVWJit8dNATrIqJYWlPM7KdAbXgQsd9OF_NcNmA_8TY&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=-sj1MZb9_ihepElfsxx9Uw&oh=00_AfmtfbawADJcI5hu33LRVmoMBYIlCFK7kGz5qSOat1I6Hg&oe=6955C19B
source_url: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:31:35.983411+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: favicon_url
claim_value: https://static.xx.fbcdn.net/rsrc.php/y1/r/ay1hV6OlegS.ico
source_url: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918
css_selector: '#facebook > head > link'
retrieved_on: '2025-12-27T14:31:35.983411+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://scontent.frtm1-1.fna.fbcdn.net/v/t39.30808-1/440374100_877810671059298_5505891747565574157_n.jpg?stp=dst-jpg_tt6&cstp=mx1022x1022&ctp=s720x720&_nc_cat=108&ccb=1-7&_nc_sid=3ab345&_nc_ohc=N3evplI8VzMQ7kNvwEtS0-Y&_nc_oc=Adk4xAT0AG5QaRaM7zrNtbtdtVWJit8dNATrIqJYWlPM7KdAbXgQsd9OF_NcNmA_8TY&_nc_zt=24&_nc_ht=scontent.frtm1-1.fna&_nc_gid=-sj1MZb9_ihepElfsxx9Uw&oh=00_AfmtfbawADJcI5hu33LRVmoMBYIlCFK7kGz5qSOat1I6Hg&oe=6955C19B
source_url: https://www.facebook.com/Amigos-del-Libro-biblioteca-popular-183969448392918
css_selector: '#facebook > head > meta:nth-of-type(15)'
retrieved_on: '2025-12-27T14:31:35.983411+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 2
has_primary_logo: false

View file

@ -7,16 +7,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '911'
identifier_url: https://www.conabip.gob.ar/biblioteca/911
- &id001
identifier_scheme: CONABIP
identifier_value: '911'
identifier_url: https://www.conabip.gob.ar/biblioteca/911
locations:
- city: Wilde
region: BUENOS AIRES
country: AR
latitude: -34.700717
longitude: -58.31605
- city: Wilde
region: BUENOS AIRES
country: AR
latitude: -34.700717
longitude: -58.31605
processing_timestamp: '2025-12-06T23:36:13.428142+00:00'
ghcid:
ghcid_current: AR-B-WIL-L-BPJMP
@ -37,31 +37,31 @@ ghcid:
feature_code: PPL
resolution_date: '2025-12-06T23:53:59.867362+00:00'
ghcid_history:
- ghcid: AR-B-WIL-L-BPJMP
valid_from: '2025-12-10T10:00:27.960917+00:00'
reason: 'Fixed region code: 01 -> B (ISO 3166-2:AR)'
- ghcid: AR-01-WIL-L-BPJMP
ghcid_numeric: 7453332449988009996
valid_from: '2025-12-06T23:53:59.867362+00:00'
reason: Updated via GeoNames reverse geocoding (matched Wilde, geonames:3427326)
- ghcid: AR-BU-WIL-L-BPJMP
ghcid_numeric: 17463276432156521464
valid_from: '2025-12-06T23:36:13.428142+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
valid_to: '2025-12-06T23:53:59.867362+00:00'
superseded_by: AR-01-WIL-L-BPJMP
- ghcid: AR-B-WIL-L-BPJMP
valid_from: '2025-12-10T10:00:27.960917+00:00'
reason: 'Fixed region code: 01 -> B (ISO 3166-2:AR)'
- ghcid: AR-01-WIL-L-BPJMP
ghcid_numeric: 7453332449988009996
valid_from: '2025-12-06T23:53:59.867362+00:00'
reason: Updated via GeoNames reverse geocoding (matched Wilde, geonames:3427326)
- ghcid: AR-BU-WIL-L-BPJMP
ghcid_numeric: 17463276432156521464
valid_from: '2025-12-06T23:36:13.428142+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
valid_to: '2025-12-06T23:53:59.867362+00:00'
superseded_by: AR-01-WIL-L-BPJMP
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-B-WIL-L-BPJMP
- identifier_scheme: GHCID_UUID
identifier_value: e51d1cd3-6bb7-5035-b01c-b6856062fa16
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 676f8e5f-b26d-800c-9cf3-c2eae46aa75d
- identifier_scheme: GHCID_NUMERIC
identifier_value: '7453332449988009996'
- identifier_scheme: RECORD_ID
identifier_value: 2650185f-6cb5-4ea4-be7d-cb3759e80b03
- *id001
- identifier_scheme: GHCID
identifier_value: AR-B-WIL-L-BPJMP
- identifier_scheme: GHCID_UUID
identifier_value: e51d1cd3-6bb7-5035-b01c-b6856062fa16
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: 676f8e5f-b26d-800c-9cf3-c2eae46aa75d
- identifier_scheme: GHCID_NUMERIC
identifier_value: '7453332449988009996'
- identifier_scheme: RECORD_ID
identifier_value: 2650185f-6cb5-4ea4-be7d-cb3759e80b03
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -69,25 +69,25 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T17:53:43Z: Maps: Biblioteca Popular Gral. Juan Martín de Pueyrredón (conf:
0.95); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:51Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:02:21Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:04:51Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:14:03Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:31:53Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:33:46Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:36:10Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:46:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:49:24Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:51:23Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:05Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:54:46Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:56:42Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:58:19Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:22Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:45Z
- 'YouTube/Google Maps enrichment 2025-12-08T17:53:43Z: Maps: Biblioteca Popular Gral. Juan Martín de Pueyrredón (conf:
0.95); YouTube: no verified match'
- 'YouTube/Google Maps enrichment 2025-12-08T17:57:51Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:02:21Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:04:51Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:14:03Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:31:53Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:33:46Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:36:10Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:46:47Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:49:24Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:51:23Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:53:05Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:54:46Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:56:42Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:58:19Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:37Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:22Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:45Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -98,8 +98,8 @@ provenance:
verified_at: '2025-12-28T19:57:07.589224+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:07.589239+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -111,15 +111,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838100+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838100+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -128,45 +131,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Juan M. de Pueyrredón
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838100+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838100+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Wilde
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:57.838100+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Juan M. de Pueyrredón
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838100+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838100+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Wilde
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:57.838100+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:36:13.428142+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Juan M. de Pueyrredón
description: biblioteca popular en Wilde, Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -199,74 +211,70 @@ google_maps_enrichment:
phone_local: 011 7725-8648
phone_international: +54 11 7725-8648
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.7
total_ratings: 16
reviews:
- author_name: Librería El Angel
author_uri: https://www.google.com/maps/contrib/102592626353122691954/reviews
rating: 5
relative_time_description: a year ago
text: Ok
publish_time: '2024-05-15T15:12:42.727001Z'
- author_name: Nicolas Julvez
author_uri: https://www.google.com/maps/contrib/108325355827077912296/reviews
rating: 2
relative_time_description: 2 years ago
text: 'Yesterday, Wednesday, September 13, 2023, I called the library phone number and received no answer. Because of
this, I decided to visit the library at 5:15 p.m. that same day. I was going to deliver a donation of books and encyclopedias.
Since the power was out in the area, I was not received.
Today, Thursday, September 14, 2023, I returned with a smaller donation. Upon arriving at the library, an employee
informed me that only book donations were accepted; encyclopedias and thematic DVDs were not accepted. I am sharing
this information with anyone interested in donating, so you can avoid the hassle of bringing encyclopedias and DVDs.'
publish_time: '2023-09-14T19:27:11.353370Z'
- author_name: Lic Graciela Emma Gonzalez
author_uri: https://www.google.com/maps/contrib/107826040419547884892/reviews
rating: 5
relative_time_description: 3 years ago
text: It's a place with a wealth of books...one of those places where you could spend several days...between a good
tea and various readings. It's also a space for culture, including art.
publish_time: '2022-09-11T01:38:52.363398Z'
- author_name: Huma Nietzs
author_uri: https://www.google.com/maps/contrib/116002015004808101419/reviews
rating: 5
relative_time_description: 4 years ago
text: My first approach in those days as a child... I always remember the library from my childhood/adolescence.
publish_time: '2021-01-27T10:13:15.841756Z'
- author_name: Rosana Perez
author_uri: https://www.google.com/maps/contrib/115466889958417455942/reviews
rating: 5
relative_time_description: 2 years ago
text: 'Beautiful place
Beautiful people'
publish_time: '2023-11-15T21:50:29.773466Z'
- author_name: Librería El Angel
author_uri: https://www.google.com/maps/contrib/102592626353122691954/reviews
rating: 5
relative_time_description: a year ago
text: Ok
publish_time: '2024-05-15T15:12:42.727001Z'
- author_name: Nicolas Julvez
author_uri: https://www.google.com/maps/contrib/108325355827077912296/reviews
rating: 2
relative_time_description: 2 years ago
text: |-
Yesterday, Wednesday, September 13, 2023, I called the library phone number and received no answer. Because of this, I decided to visit the library at 5:15 p.m. that same day. I was going to deliver a donation of books and encyclopedias. Since the power was out in the area, I was not received.
Today, Thursday, September 14, 2023, I returned with a smaller donation. Upon arriving at the library, an employee informed me that only book donations were accepted; encyclopedias and thematic DVDs were not accepted. I am sharing this information with anyone interested in donating, so you can avoid the hassle of bringing encyclopedias and DVDs.
publish_time: '2023-09-14T19:27:11.353370Z'
- author_name: Lic Graciela Emma Gonzalez
author_uri: https://www.google.com/maps/contrib/107826040419547884892/reviews
rating: 5
relative_time_description: 3 years ago
text: It's a place with a wealth of books...one of those places where you could spend several days...between a good tea
and various readings. It's also a space for culture, including art.
publish_time: '2022-09-11T01:38:52.363398Z'
- author_name: Huma Nietzs
author_uri: https://www.google.com/maps/contrib/116002015004808101419/reviews
rating: 5
relative_time_description: 4 years ago
text: My first approach in those days as a child... I always remember the library from my childhood/adolescence.
publish_time: '2021-01-27T10:13:15.841756Z'
- author_name: Rosana Perez
author_uri: https://www.google.com/maps/contrib/115466889958417455942/reviews
rating: 5
relative_time_description: 2 years ago
text: |-
Beautiful place
Beautiful people
publish_time: '2023-11-15T21:50:29.773466Z'
opening_hours:
open_now: false
weekday_text:
- 'Monday: 9:00AM2:00PM, 4:008:00PM'
- 'Tuesday: 9:00AM2:00PM, 4:008:00PM'
- 'Wednesday: 9:00AM2:00PM, 4:008:00PM'
- 'Thursday: 9:00AM2:00PM, 4:008:00PM'
- 'Friday: 9:00AM2:00PM, 4:008:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
- 'Monday: 9:00AM2:00PM, 4:008:00PM'
- 'Tuesday: 9:00AM2:00PM, 4:008:00PM'
- 'Wednesday: 9:00AM2:00PM, 4:008:00PM'
- 'Thursday: 9:00AM2:00PM, 4:008:00PM'
- 'Friday: 9:00AM2:00PM, 4:008:00PM'
- 'Saturday: Closed'
- 'Sunday: Closed'
photo_count: 3
photos_metadata:
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHp_tOLbo8lhb-NzXJ-HD1LNe127avapN7cJNgxJKlTbdb7iA9JGQKTd7qYoWvaXI49FKJO83gAp989ApRX02nDtCtW1bNZ0_mXrRYD889E0vlf3b5Rzl3gKz_knJUlgQKfn0BHDqNBiW9F2yyq2J1h9HJ8SgeODGODHETWpt32pfAAsn9y-W_43ZlBKTlFp5YNsptnM05ZC93-ooEzts4n52mMH5G4maty0la0OUOtg1LuCYIHk82xqN789oYJC-EzYRo0hlshkdEq2ZFm-y3Cni30h1F5vCyeaCuPDx1eo7JbF2sXyoN9tzDJtA5-Qn_6dA57q2iRG-IlIkw1TN_m3W4KhWO8lJ2LTpLSCn__zpk4w_oxBv4392DBMA7IA8yO9OniJnokcn4_r4fH3FGdb40krEUwlXH2VhLkQkhNTcw
height: 3000
width: 4000
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHqzRh9QNqoTa-RrQlrxhszTmVhLULus1K6MbmEkjMbrIULbw_mSe3MMWe-gmtAluekHOzhJuzYfZCbRZLomon1RatQAsU6F91XN7vL5OfAJ6cvaMVDGv-tXJaJnL1i14XOG-RB6Rra0DrZ0ne8CGBayRElNQ9HJD1-YPZC3BZPOhga_3_3rTeqm_-QIkjniySighAFlZTlXwdzhFeFpYUE445xEvXimEHVptjKbOgdv8eelev_URHjxH6YkbgDH92xKRqWMz2adUrLnYv7tjPLDjJjFc-kq0GE1dD-T33e5wizPP-XO27brIjuk37CjL73hq7QCfeSc2InZpNC1e8xkZ7PR1xebijm1ZYxChnhNj830KRGmEN905ybkkf6RDvgnC0Nl73V1l3uv28TIIrscAyB6Jo2urHvRaSKQFGSecoHr
height: 3000
width: 4000
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHrWCQHqvWbngeBfo6qSMxraQmO5g-84vfrATv8IhvMgfe7MAaCmlwN4FYD-01hOWmg9JKzE8oHGTLx7a4mhaJGKbX1baV939uFq1cObyQ2YidBYg8ID0GUHBpHWp2x5fQmyscYm-LdenI1S2rZSTAIlfyztnPOzAc26hW74wBm9eWixPSNagtUGG_csHoVYCHMOtbL5jOGlm6OFPovokxWpXlrbxZ_jJW8atmpYGKNktAutOrzRkXf_x1MjDCJP-ZEeYfwgrIDAqJZ-ZcYUZaxT6cfXJ4sovghCrsHp9pFHbIiz7BnkuHBDY7M8I0Gzuboe0Otv24q8DjGQnN8hmGoXBlKoC23YP4sy0fVkMSgfFZHunoM4SjD6PVHiF4CLf36ZpXGHHVEudrgtLRcvZgbA7PXHZ2Lnb6HDxOIt1dY
height: 4000
width: 3000
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHp_tOLbo8lhb-NzXJ-HD1LNe127avapN7cJNgxJKlTbdb7iA9JGQKTd7qYoWvaXI49FKJO83gAp989ApRX02nDtCtW1bNZ0_mXrRYD889E0vlf3b5Rzl3gKz_knJUlgQKfn0BHDqNBiW9F2yyq2J1h9HJ8SgeODGODHETWpt32pfAAsn9y-W_43ZlBKTlFp5YNsptnM05ZC93-ooEzts4n52mMH5G4maty0la0OUOtg1LuCYIHk82xqN789oYJC-EzYRo0hlshkdEq2ZFm-y3Cni30h1F5vCyeaCuPDx1eo7JbF2sXyoN9tzDJtA5-Qn_6dA57q2iRG-IlIkw1TN_m3W4KhWO8lJ2LTpLSCn__zpk4w_oxBv4392DBMA7IA8yO9OniJnokcn4_r4fH3FGdb40krEUwlXH2VhLkQkhNTcw
height: 3000
width: 4000
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHqzRh9QNqoTa-RrQlrxhszTmVhLULus1K6MbmEkjMbrIULbw_mSe3MMWe-gmtAluekHOzhJuzYfZCbRZLomon1RatQAsU6F91XN7vL5OfAJ6cvaMVDGv-tXJaJnL1i14XOG-RB6Rra0DrZ0ne8CGBayRElNQ9HJD1-YPZC3BZPOhga_3_3rTeqm_-QIkjniySighAFlZTlXwdzhFeFpYUE445xEvXimEHVptjKbOgdv8eelev_URHjxH6YkbgDH92xKRqWMz2adUrLnYv7tjPLDjJjFc-kq0GE1dD-T33e5wizPP-XO27brIjuk37CjL73hq7QCfeSc2InZpNC1e8xkZ7PR1xebijm1ZYxChnhNj830KRGmEN905ybkkf6RDvgnC0Nl73V1l3uv28TIIrscAyB6Jo2urHvRaSKQFGSecoHr
height: 3000
width: 4000
- name: places/ChIJW_5-NWYyo5URb6tPr74k1D0/photos/AZLasHrWCQHqvWbngeBfo6qSMxraQmO5g-84vfrATv8IhvMgfe7MAaCmlwN4FYD-01hOWmg9JKzE8oHGTLx7a4mhaJGKbX1baV939uFq1cObyQ2YidBYg8ID0GUHBpHWp2x5fQmyscYm-LdenI1S2rZSTAIlfyztnPOzAc26hW74wBm9eWixPSNagtUGG_csHoVYCHMOtbL5jOGlm6OFPovokxWpXlrbxZ_jJW8atmpYGKNktAutOrzRkXf_x1MjDCJP-ZEeYfwgrIDAqJZ-ZcYUZaxT6cfXJ4sovghCrsHp9pFHbIiz7BnkuHBDY7M8I0Gzuboe0Otv24q8DjGQnN8hmGoXBlKoC23YP4sy0fVkMSgfFZHunoM4SjD6PVHiF4CLf36ZpXGHHVEudrgtLRcvZgbA7PXHZ2Lnb6HDxOIt1dY
height: 4000
width: 3000
google_maps_url: https://maps.google.com/?cid=4455226332779883375&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true

View file

@ -66,3 +66,34 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:07.823923+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-ccgsm/mission-2025
statement_type: mission
statement_text: Wij geloven in de kruising tussen kennis, praktijk en gevoeligheid als motor van hedendaagse creatie en
reflectie.
statement_language: es
source_url: https://elculturalsanmartin.ar/
retrieved_on: '2025-12-30T20:51:55.080938+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:52:05.186050+00:00'
extraction_confidence: 0.85
content_hash: sha256-UlHbC99qCnBCZwYoNMu4WwaQ/v1WYkdVaemnWsOgu1k=
prov:
wasDerivedFrom: https://elculturalsanmartin.ar/
generatedAtTime: '2025-12-30T20:51:55.080938+00:00'
source_section: Homepage
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-ccgsm/goal-2025
statement_type: goal
statement_text: Het vormen van een interdisciplinair Adviescomité met vooraanstaande figuren uit de culturele sector, die
een cursusprogramma zullen aansturen dat is gericht op het uitbreiden van de grenzen van kunst, denken en technologie.
statement_language: es
source_url: https://elculturalsanmartin.ar/
retrieved_on: '2025-12-30T20:51:55.080938+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:52:05.195254+00:00'
extraction_confidence: 0.85
content_hash: sha256-yRCuNIuJon2DwNSc7gw70Vh+RnwTCVObvyfoYeS8+14=
prov:
wasDerivedFrom: https://elculturalsanmartin.ar/
generatedAtTime: '2025-12-30T20:51:55.080938+00:00'
source_section: Homepage

View file

@ -85,3 +85,19 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:07.829739+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-chbp/mission-2025
statement_type: mission
statement_text: El sitio web de la Iglesia Nuestra Señora del Pilar es una nueva manera de invitar a las personas de este
tiempo a abrir sus corazones a Cristo.
statement_language: es
source_url: https://basilicadelpilar.org/historia/
retrieved_on: '2025-12-30T17:34:07.245489+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:34:16.865052+00:00'
extraction_confidence: 0.75
content_hash: sha256-bb8V1twtveEox9Qk0zMH0iwujhHs78vrHqD3tfRQL3M=
prov:
wasDerivedFrom: https://basilicadelpilar.org/historia/
generatedAtTime: '2025-12-30T17:34:07.245489+00:00'
source_section: Introduction

View file

@ -85,3 +85,35 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.051835+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mct/mission-2025
statement_type: mission
statement_text: Preservar el patrimonio científico y técnico de la Facultad de Ingeniería en particular, y del país en general.
statement_language: nl
source_url: https://www.fi.uba.ar/institucional/secretarias/secretaria-de-relaciones-institucionales/museo-de-ciencia-y-tecnica/acerca-del-museo
retrieved_on: '2025-12-30T17:13:03.232341+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:13:10.958396+00:00'
extraction_confidence: 0.85
content_hash: sha256-TwGN/9i7R+YTk/IdNXZ0NIXgLnZSaQLTJujELtfKyac=
prov:
wasDerivedFrom: https://www.fi.uba.ar/institucional/secretarias/secretaria-de-relaciones-institucionales/museo-de-ciencia-y-tecnica/acerca-del-museo
generatedAtTime: '2025-12-30T17:13:03.232341+00:00'
source_section: Acerca del museo
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mct/goal-2025
statement_type: goal
statement_text: Exhibir las múltiples disciplinas de la ingeniería, mostrando aspectos históricos, del presente y del futuro.
Iniciar al público en los fenómenos y leyes fundamentales de las Ciencias Exactas. Realizar exhibiciones permanentes y
temporarias con valor didáctico de interés para la comunidad universitaria y también accesibles para el público general.
Despertar vocaciones científico-técnicas en niños y jóvenes.
statement_language: nl
source_url: https://www.fi.uba.ar/institucional/secretarias/secretaria-de-relaciones-institucionales/museo-de-ciencia-y-tecnica/acerca-del-museo
retrieved_on: '2025-12-30T17:13:03.232341+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T17:13:10.958468+00:00'
extraction_confidence: 0.85
content_hash: sha256-WaMIC2cTNIEWT4FydOYBSWOy0OKq9cor6PsbV2mOR4A=
prov:
wasDerivedFrom: https://www.fi.uba.ar/institucional/secretarias/secretaria-de-relaciones-institucionales/museo-de-ciencia-y-tecnica/acerca-del-museo
generatedAtTime: '2025-12-30T17:13:03.232341+00:00'
source_section: Acerca del museo

View file

@ -66,3 +66,33 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.138293+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mhba/mission-2025
statement_type: mission
statement_text: preservar la memoria y educar a las futuras generaciones
statement_language: es
source_url: https://museodelholocausto.org.ar/reserva-visitas-institucionales/
retrieved_on: '2025-12-30T20:52:26.649611+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:52:33.533279+00:00'
extraction_confidence: 0.9
content_hash: sha256-OvG+1jID5YFN/bui4d+KEfYcs0PSEE86cRJBK5dCTv0=
prov:
wasDerivedFrom: https://museodelholocausto.org.ar/reserva-visitas-institucionales/
generatedAtTime: '2025-12-30T20:52:26.649611+00:00'
source_section: Sobre las Visitas / Sumate como voluntario
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mhba/goal-2025
statement_type: goal
statement_text: acercar a los visitantes a la temática del Holocausto, despertar su interés y concientizarlos acerca de
las consecuencias del racismo y la discriminación
statement_language: es
source_url: https://museodelholocausto.org.ar/reserva-visitas-institucionales/
retrieved_on: '2025-12-30T20:52:26.649611+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:52:33.534690+00:00'
extraction_confidence: 0.9
content_hash: sha256-PBgdfF16Ni5snOAAtZL6i5/mMVS7O7RHiMPySUJfIeE=
prov:
wasDerivedFrom: https://museodelholocausto.org.ar/reserva-visitas-institucionales/
generatedAtTime: '2025-12-30T20:52:26.649611+00:00'
source_section: Sobre las Visitas / Sumate como voluntario

View file

@ -66,3 +66,38 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.188930+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mi/mission-2025
statement_type: mission
statement_text: El desarrollo de un ámbito permanente de memoria y homenaje destinado tanto a quienes vinieron desde Europa,
Asia y África a compartir este suelo con intensidad, desde la segunda mitad del siglo XIX, como a nuestros hermanos sudamericanos
que concretan la permeabilidad que impulsa nuestra legislación.
statement_language: es
source_url: https://untref.edu.ar/muntref/es/museo-de-la-inmigracion/acerca-de-mi/
retrieved_on: '2025-12-30T20:54:47.367220+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:55:01.109870+00:00'
extraction_confidence: 0.85
content_hash: sha256-whtbEnWuyNCE3XueZTqaKiw0LlH1/UWO56Ikg0+tyi4=
prov:
wasDerivedFrom: https://untref.edu.ar/muntref/es/museo-de-la-inmigracion/acerca-de-mi/
generatedAtTime: '2025-12-30T20:54:47.367220+00:00'
source_section: Presentación
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mi/goal-2025
statement_type: goal
statement_text: Retomar un espacio tanto para la construcción de la memoria histórica como para la reflexión de las condiciones
actuales de las migraciones; presentar al público la experiencia del migrar en sus tramos del viaje, la llegada, la inserción
y el legado; indagar en las condiciones del migrante del pasado tanto como en las actuales; usar documentación histórica,
fotografías, films, y testimonios contemporáneos; contribuir en la expansión de sentidos y la reflexión histórica a través
de producciones simbólicas.
statement_language: es
source_url: https://untref.edu.ar/muntref/es/museo-de-la-inmigracion/acerca-de-mi/
retrieved_on: '2025-12-30T20:54:47.367220+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:55:01.109931+00:00'
extraction_confidence: 0.85
content_hash: sha256-MYJebVk0/d+XGGacyOruuZnLdHbzPiZowcUQjZOZgeQ=
prov:
wasDerivedFrom: https://untref.edu.ar/muntref/es/museo-de-la-inmigracion/acerca-de-mi/
generatedAtTime: '2025-12-30T20:54:47.367220+00:00'
source_section: Presentación

View file

@ -66,3 +66,32 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.289488+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mna/mission-2025
statement_type: mission
statement_text: Promover una actividad cultural representativa, que proyecte la presencia del Colegio en la comunidad
statement_language: es
source_url: https://www.colegio-escribanos.org.ar/institucional-1/coro-del-colegio/
retrieved_on: '2025-12-30T20:48:43.934323+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:48:54.235815+00:00'
extraction_confidence: 0.75
content_hash: sha256-ve1TMRgihl4gC+4vEFNVwRZFSDu7J45JE7g4ACDm/Hk=
prov:
wasDerivedFrom: https://www.colegio-escribanos.org.ar/institucional-1/coro-del-colegio/
generatedAtTime: '2025-12-30T20:48:43.934323+00:00'
source_section: Algemene informatie over het koor
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mna/goal-2025
statement_type: goal
statement_text: Expresar a nuestros músicos y poetas y de ese modo profundizar y difundir nuestra cultura
statement_language: es
source_url: https://www.colegio-escribanos.org.ar/institucional-1/coro-del-colegio/
retrieved_on: '2025-12-30T20:48:43.934323+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:48:54.236391+00:00'
extraction_confidence: 0.75
content_hash: sha256-LPX3E0HpT3ZK/TLj++FEWxR2fx3YK/dyiRZ9rd837EQ=
prov:
wasDerivedFrom: https://www.colegio-escribanos.org.ar/institucional-1/coro-del-colegio/
generatedAtTime: '2025-12-30T20:48:43.934323+00:00'
source_section: Algemene informatie over het koor

View file

@ -66,3 +66,34 @@ provenance:
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.373233+00:00'
mission_statement:
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mpcr/goal-2025
statement_type: goal
statement_text: Het Museo Casa Rosada heeft als doel om de Argentijnse geschiedenis te bewaren, te onderzoeken en te communiceren
via zijn presidenten, 30 jaar na het einde van hun mandaat.
statement_language: es
source_url: https://www.argentina.gob.ar/secretariageneral/museo-del-bicentenario
retrieved_on: '2025-12-30T20:41:59.051311+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:42:07.241991+00:00'
extraction_confidence: 0.85
content_hash: sha256-aSH30iG4xrNpvOoGKgqf7JHAKXXR1kmJ/KMrPAm+17A=
prov:
wasDerivedFrom: https://www.argentina.gob.ar/secretariageneral/museo-del-bicentenario
generatedAtTime: '2025-12-30T20:41:59.051311+00:00'
source_section: Hoofdtitelsectie
- statement_id: https://nde.nl/ontology/hc/mission/ar-c-bue-m-mpcr/mission-2025
statement_type: mission
statement_text: El Museo Casa Rosada fue creado en 1957 por medio del Ley 5579/1957 y constituye una institución dedicada
a la memoria de los presidentes y sus gestiones de gobierno transcurridos 30 años de la finalización de su mandato.
statement_language: es
source_url: https://www.argentina.gob.ar/el-museo
retrieved_on: '2025-12-30T20:59:27.037383+00:00'
extraction_agent: zai-glm/glm-4.5-air
extraction_timestamp: '2025-12-30T20:59:44.871804+00:00'
extraction_confidence: 0.7
content_hash: sha256-WnIUpmhkMMXbXhNelcfGmeQko4adpg683XuJf7H803E=
prov:
wasDerivedFrom: https://www.argentina.gob.ar/el-museo
generatedAtTime: '2025-12-30T20:59:27.037383+00:00'
source_section: El Museo

View file

@ -3,16 +3,16 @@ original_entry:
institution_type: LIBRARY
source: CH-Annotator (argentina_complete_ch_annotator.yaml)
identifiers:
- &id001
identifier_scheme: CONABIP
identifier_value: '32'
identifier_url: https://www.conabip.gob.ar/biblioteca/32
- &id001
identifier_scheme: CONABIP
identifier_value: '32'
identifier_url: https://www.conabip.gob.ar/biblioteca/32
locations:
- city: Ciudad Autónoma de Buenos Aires
region: CIUDAD AUTóNOMA DE BUENOS AIRES
country: AR
latitude: -34.596157
longitude: -58.437668
- city: Ciudad Autónoma de Buenos Aires
region: CIUDAD AUTóNOMA DE BUENOS AIRES
country: AR
latitude: -34.596157
longitude: -58.437668
processing_timestamp: '2025-12-06T23:34:13.051348+00:00'
ghcid:
ghcid_current: AR-C-CIU-L-BPA
@ -28,29 +28,29 @@ ghcid:
city_code: CIU
method: CH_ANNOTATOR_SOURCE
ghcid_history:
- ghcid: AR-C-CIU-L-BPA
valid_from: '2025-12-10T10:00:39.360860+00:00'
reason: 'Fixed region code: CI -> C (ISO 3166-2:AR)'
- ghcid: AR-CI-CIU-L-BPA
ghcid_numeric: 12599294732414639704
valid_from: '2025-12-06T23:34:13.051348+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
- ghcid: AR-C-CIU-L-BPA
valid_from: '2025-12-10T10:00:39.360860+00:00'
reason: 'Fixed region code: CI -> C (ISO 3166-2:AR)'
- ghcid: AR-CI-CIU-L-BPA
ghcid_numeric: 12599294732414639704
valid_from: '2025-12-06T23:34:13.051348+00:00'
reason: Initial GHCID from CH-Annotator (argentina_complete_ch_annotator.yaml)
custodian_name:
claim_type: custodian_name
claim_value: Biblioteca Popular Alberdi
source_type: ch_annotator
identifiers:
- identifier_scheme: GHCID
identifier_value: AR-C-CIU-L-BPA
- identifier_scheme: GHCID_UUID
identifier_value: b1646490-cbb8-5bc7-a479-8ad731fb94dd
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: aed9afce-2206-8e58-5c2e-b913c085ecda
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12599294732414639704'
- identifier_scheme: RECORD_ID
identifier_value: e72908ec-fa6a-4bd1-af2b-d976719ba930
- *id001
- identifier_scheme: GHCID
identifier_value: AR-C-CIU-L-BPA
- identifier_scheme: GHCID_UUID
identifier_value: b1646490-cbb8-5bc7-a479-8ad731fb94dd
- identifier_scheme: GHCID_UUID_SHA256
identifier_value: aed9afce-2206-8e58-5c2e-b913c085ecda
- identifier_scheme: GHCID_NUMERIC
identifier_value: '12599294732414639704'
- identifier_scheme: RECORD_ID
identifier_value: e72908ec-fa6a-4bd1-af2b-d976719ba930
- *id001
provenance:
data_source: GOVERNMENT_REGISTRY
data_tier: TIER_1_AUTHORITATIVE
@ -58,12 +58,12 @@ provenance:
extraction_method: 'Created from CH-Annotator file: argentina_complete_ch_annotator.yaml'
confidence_score: 1.0
notes:
- 'YouTube/Google Maps enrichment 2025-12-08T18:09:07Z: Maps: BIBLIOTECA POPULAR ALBERDI (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:44Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:36Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
- 'YouTube/Google Maps enrichment 2025-12-08T18:09:07Z: Maps: BIBLIOTECA POPULAR ALBERDI (conf: 1.00); YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:16:44Z: YouTube: not found'
- 'YouTube/Google Maps enrichment 2025-12-08T18:38:36Z: YouTube: not found'
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:10:38Z
- Canonical location added via normalize_custodian_files.py on 2025-12-08T23:46:26Z
- Canonical location added via normalize_custodian_files.py on 2025-12-09T06:47:50Z
schema_version: 2.0.0
enrichment_provenance:
wikidata_enrichment:
@ -74,8 +74,8 @@ provenance:
verified_at: '2025-12-28T19:57:08.513137+00:00'
provenance_schema_version: '2.0'
standards_compliance:
- W3C PROV-O
- W3C SRI (content hashes)
- W3C PROV-O
- W3C SRI (content hashes)
generated_at: '2025-12-28T19:57:08.513155+00:00'
ch_annotator:
convention_id: ch_annotator-v1_7_0
@ -87,15 +87,18 @@ ch_annotator:
subtype_label: LIBRARY
ontology_class: schema:Library
alternative_classes:
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
- org:FormalOrganization
- rov:RegisteredOrganization
- glam:HeritageCustodian
extraction_provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294073+00:00'
agent: claude-conversation
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294073+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
annotation_provenance:
annotation_agent: opencode-claude-sonnet-4
annotation_date: '2025-12-06T21:13:54.987417+00:00'
@ -104,45 +107,54 @@ ch_annotator:
annotation_metadata:
confidence_score: 1.0
verified: false
verification_date:
verified_by:
verification_date: null
verified_by: null
entity_claims:
- claim_type: full_name
claim_value: Biblioteca Popular Alberdi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294073+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294073+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.95
- claim_type: located_in_city
claim_value: Ciudad Autónoma de Buenos Aires
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
timestamp: '2025-11-17T17:00:42.294073+00:00'
agent: claude-conversation
context_convention: ch_annotator-v1_7_0
confidence: 0.9
- claim_type: full_name
claim_value: Biblioteca Popular Alberdi
property_uri: skos:prefLabel
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294073+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 1.0
- claim_type: institution_type
claim_value: LIBRARY
property_uri: rdf:type
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294073+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.95
- claim_type: located_in_city
claim_value: Ciudad Autónoma de Buenos Aires
property_uri: schema:addressLocality
provenance:
namespace: glam
path: /files/argentina_complete.yaml
agent: batch-script-create-custodian-from-ch-annotator
context_convention: ch_annotator-v1_7_0
source_archived_at: '2025-11-17T17:00:42.294073+00:00'
statement_created_at: '2025-12-06T21:13:54.987417+00:00'
source_type: isil_registry_csv
migration_note: Migrated from agent:claude-conversation on 2025-12-30
confidence: 0.9
integration_note:
created_from: argentina_complete_ch_annotator.yaml
creation_date: '2025-12-06T23:34:13.051348+00:00'
creation_method: create_custodian_from_ch_annotator.py
wikidata_enrichment:
wikidata_id:
wikidata_id: null
label: Biblioteca Popular Alberdi
description: biblioteca popular en Ciudad Autónoma de Buenos Aires, Argentina
enrichment_timestamp: '2025-12-22T00:00:00Z'
@ -178,74 +190,74 @@ google_maps_enrichment:
phone_international: +54 11 4288-2847
website: https://bibliotecapopularalberdi.com.ar/
google_place_types:
- library
- point_of_interest
- establishment
- library
- point_of_interest
- establishment
primary_type: library
business_status: OPERATIONAL
rating: 4.8
total_ratings: 46
reviews:
- author_name: Vanesa Saucedo
author_uri: https://www.google.com/maps/contrib/116291763612914477932/reviews
rating: 5
relative_time_description: 2 years ago
text: It's a very comfortable place with a wide variety of literature books from different genres. They offer writing
and singing workshops for all ages. Additionally, on the second Tuesday of every month, the Lanús Jazz Big Band performs
at the library. A great place to enjoy good books and excellent music.
publish_time: '2023-04-13T20:32:59.777796Z'
- author_name: Missing
author_uri: https://www.google.com/maps/contrib/101876043586864974970/reviews
rating: 5
relative_time_description: 3 weeks ago
text: I'll visit her someday 😍🥰
publish_time: '2025-11-14T00:40:57.453917326Z'
- author_name: Evan Riga
author_uri: https://www.google.com/maps/contrib/107473262529404436219/reviews
rating: 5
relative_time_description: a year ago
text: Great service, very attentive. And lots of cool activities to do!
publish_time: '2024-05-28T10:49:34.500675Z'
- author_name: Valentin Carnevale
author_uri: https://www.google.com/maps/contrib/102130586198093772900/reviews
rating: 5
relative_time_description: 3 years ago
text: I went on a trip to this place with the PE teachers, and they were all really great. We were very pleased with
the service and the Gualmayen alfajores they gave us. 👍❤️
publish_time: '2022-09-14T19:12:13.263056Z'
- author_name: ruben cola
author_uri: https://www.google.com/maps/contrib/107216247024840661881/reviews
rating: 5
relative_time_description: 4 years ago
text: Excellent service and you can find everything you need for your studies or for leisure (if you enjoy reading).
publish_time: '2021-04-16T13:28:34.709084Z'
- author_name: Vanesa Saucedo
author_uri: https://www.google.com/maps/contrib/116291763612914477932/reviews
rating: 5
relative_time_description: 2 years ago
text: It's a very comfortable place with a wide variety of literature books from different genres. They offer writing
and singing workshops for all ages. Additionally, on the second Tuesday of every month, the Lanús Jazz Big Band performs
at the library. A great place to enjoy good books and excellent music.
publish_time: '2023-04-13T20:32:59.777796Z'
- author_name: Missing
author_uri: https://www.google.com/maps/contrib/101876043586864974970/reviews
rating: 5
relative_time_description: 3 weeks ago
text: I'll visit her someday 😍🥰
publish_time: '2025-11-14T00:40:57.453917326Z'
- author_name: Evan Riga
author_uri: https://www.google.com/maps/contrib/107473262529404436219/reviews
rating: 5
relative_time_description: a year ago
text: Great service, very attentive. And lots of cool activities to do!
publish_time: '2024-05-28T10:49:34.500675Z'
- author_name: Valentin Carnevale
author_uri: https://www.google.com/maps/contrib/102130586198093772900/reviews
rating: 5
relative_time_description: 3 years ago
text: I went on a trip to this place with the PE teachers, and they were all really great. We were very pleased with the
service and the Gualmayen alfajores they gave us. 👍❤️
publish_time: '2022-09-14T19:12:13.263056Z'
- author_name: ruben cola
author_uri: https://www.google.com/maps/contrib/107216247024840661881/reviews
rating: 5
relative_time_description: 4 years ago
text: Excellent service and you can find everything you need for your studies or for leisure (if you enjoy reading).
publish_time: '2021-04-16T13:28:34.709084Z'
opening_hours:
open_now: true
weekday_text:
- 'Monday: 2:007:00PM'
- 'Tuesday: 2:007:00PM'
- 'Wednesday: 2:007:00PM'
- 'Thursday: 2:007:00PM'
- 'Friday: 2:007:00PM'
- 'Saturday: 10:00AM2:00PM'
- 'Sunday: Closed'
- 'Monday: 2:007:00PM'
- 'Tuesday: 2:007:00PM'
- 'Wednesday: 2:007:00PM'
- 'Thursday: 2:007:00PM'
- 'Friday: 2:007:00PM'
- 'Saturday: 10:00AM2:00PM'
- 'Sunday: Closed'
photo_count: 10
photos_metadata:
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHoA7am-v0-PDa5QSnJ8ctngqtJ72NwELOjt9C9WUotfquvMslhX3qOw06sGK_Ta7gWQFN0yJASn0bAyjLwmfgstNJvvJuFYV1-VFiFoPA93ZZgabX_Cwr5qMgJLL39wjY-7oAxR69EoP_TIKwpdYNuK9ZaCg-0vxjWBPBSeJGp3JIdchkeVCuENeyjqaQvi-vUitsRendJhOcrBda7C5w7SFkLszlmwXoAjMsFaNV82etAUZLxDVBUQZM4emQK92LXdEjWDtEH7gqePP0HyxI9N1cenOu1Xf76cRc4OC3uoiw
height: 1152
width: 2048
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHq1YSwDEf3iZ5oUsfvkLLdJ_vuGGmy0AekfyLR4vU2fMR27oTLEQV1_SJSxDklYSpAx3yjubmU57ogF5-AY_8Z9nFU4PrPxxWaWqOEb2-3iDA1kBcSdtPI-of9wSqsRMriA9oYr2O8c_QBcx-cjhpWxr0P6_riLpI2sDXoLkBDfcqkRAXl7vdd8zoHK1ogdf9WqoEinD2lrcTKTUaLWjoGZ14TP2l-sz1ZhcIU6j4AykaRrg83LkakTbEVyTOEW9myisXBdRNZLbTJOA1owdQ5QXFutR7BQE0WOAcSu0ErsID9o-18M6S5BsXr4lEKriHgFdhRjB3qh8hR-LC4LRHHKIvSIVHzXc7gVr8DLi-basJqn1W6ApnDMTF3mIllciSEfdBTZJaiM-LL1w-FMQ-0Wz9LU0hiJetptO3-fa8U
height: 672
width: 1280
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHoGdYsP0Aq_dilffNzwLaxhPGOq4zf6jwzr58PPZTl1y7BHo2KU4tu_8gWJIu5zmD3RVfcxwQnAZaaDhTopHL3lk_2jCgccV4t5bVzN1ig-ltgGlpPMnGG3P6mEob1_hsmtfPFhHVsOFAnMjtifQ4KXOB6eJOokcwv03aUQy41JPYxBxEHJmDst0dmlXcIBKgODf2xOBdr-pqRfSP6OzQhObvRBrMNMPFV5CI_RA3K0jMoNwCem8Y8fWfRAZk2OeQcehYdWPvwSHw1tJG_zhmijLWX7zvD-MgepGqYIO-eTU9oWHQrhmXFVFZ1oPM4JGbDhfWzBUSedLm6rUOqI92iD-5adGSe7gULJUIc_6-vhCefQSP1Fmlk06R3fLXH5WL3h9TqbRYqdkmpWmfFI4BAyeFWbWaHP0PY-PuQkrJY5yA
height: 591
width: 1280
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHo1A-ye58kVYIr0cDTULciaxAH_Z6h0yifSWIv4D5LhVgZEmQahM-O7BO5SDqoMYAzN0Z9aE6JqyOjiMqhdW0XUBgKPYZiFTu4p8KFPrDyYy3xvtwTGdK5HKZQV1atRVuq3KagwA7x97Vi9WxaDRj-T-yrkUdUHBZ50iE9FD7mly3prbmh7GoQtUpyPnPebl9TkcVyvG_sU2MAjaJ_q1S8f3bfEzjolkuXtp1XiwHHsL7jgvnZwUsxQbTZrUAeG8ThJUfIu1LyeBQOjgJgrLuUGXkEV6Tg9vBJVCVXC0sS68C6xK1zvfGqshoZQhpDh1nOcR865TBUGbuYU61O8hO5xXnB11Ab3jgHGWyqbvQiPKdRkzs0ZMt5Aig_z48bPYbRI-UG56fqFyyTf6ahEysI2ytmKPdcSAf6y28qJ0C-Rsw
height: 2825
width: 3712
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHrTTgN7O0FaCdiQ5IyNO6tfPZRRRv9AUhScU642Km7QAoF0uzZwhDajvT2C7BvY4Q3gcErjghRSjvoHieng6-XnXMynrGjrWLfGYOQ56-rZphNcaAB_bNyZ5rkBDTOwCier27xmrTmpgx29Z1aoEv2HWZ-3p914QLXKKFJsR16U9e2bj6vl5D9u5aJ1YWFdxktLWvNGJ0rdPZSnYW63f38eNwgUWRYYI1wgiX-fIEqkJbnoB9JB3Z_P4rew05BOUX3m-Ow9iuKoutOuS6YFUtPbY7iyfxAjf5PuflZ2L_R_epydtbAfxbCCSQ7_iSZ5wI716CWhxMyinPvG5ndWQonrPd0jYB4CD3haXU9N74HJsjsDYBgNW8QqpQEXsdBP3BToyoG7VI04iEe1z_uD8aGgtTWMIVdqw_HGjpGs0WY
height: 2174
width: 3356
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHoA7am-v0-PDa5QSnJ8ctngqtJ72NwELOjt9C9WUotfquvMslhX3qOw06sGK_Ta7gWQFN0yJASn0bAyjLwmfgstNJvvJuFYV1-VFiFoPA93ZZgabX_Cwr5qMgJLL39wjY-7oAxR69EoP_TIKwpdYNuK9ZaCg-0vxjWBPBSeJGp3JIdchkeVCuENeyjqaQvi-vUitsRendJhOcrBda7C5w7SFkLszlmwXoAjMsFaNV82etAUZLxDVBUQZM4emQK92LXdEjWDtEH7gqePP0HyxI9N1cenOu1Xf76cRc4OC3uoiw
height: 1152
width: 2048
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHq1YSwDEf3iZ5oUsfvkLLdJ_vuGGmy0AekfyLR4vU2fMR27oTLEQV1_SJSxDklYSpAx3yjubmU57ogF5-AY_8Z9nFU4PrPxxWaWqOEb2-3iDA1kBcSdtPI-of9wSqsRMriA9oYr2O8c_QBcx-cjhpWxr0P6_riLpI2sDXoLkBDfcqkRAXl7vdd8zoHK1ogdf9WqoEinD2lrcTKTUaLWjoGZ14TP2l-sz1ZhcIU6j4AykaRrg83LkakTbEVyTOEW9myisXBdRNZLbTJOA1owdQ5QXFutR7BQE0WOAcSu0ErsID9o-18M6S5BsXr4lEKriHgFdhRjB3qh8hR-LC4LRHHKIvSIVHzXc7gVr8DLi-basJqn1W6ApnDMTF3mIllciSEfdBTZJaiM-LL1w-FMQ-0Wz9LU0hiJetptO3-fa8U
height: 672
width: 1280
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHoGdYsP0Aq_dilffNzwLaxhPGOq4zf6jwzr58PPZTl1y7BHo2KU4tu_8gWJIu5zmD3RVfcxwQnAZaaDhTopHL3lk_2jCgccV4t5bVzN1ig-ltgGlpPMnGG3P6mEob1_hsmtfPFhHVsOFAnMjtifQ4KXOB6eJOokcwv03aUQy41JPYxBxEHJmDst0dmlXcIBKgODf2xOBdr-pqRfSP6OzQhObvRBrMNMPFV5CI_RA3K0jMoNwCem8Y8fWfRAZk2OeQcehYdWPvwSHw1tJG_zhmijLWX7zvD-MgepGqYIO-eTU9oWHQrhmXFVFZ1oPM4JGbDhfWzBUSedLm6rUOqI92iD-5adGSe7gULJUIc_6-vhCefQSP1Fmlk06R3fLXH5WL3h9TqbRYqdkmpWmfFI4BAyeFWbWaHP0PY-PuQkrJY5yA
height: 591
width: 1280
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHo1A-ye58kVYIr0cDTULciaxAH_Z6h0yifSWIv4D5LhVgZEmQahM-O7BO5SDqoMYAzN0Z9aE6JqyOjiMqhdW0XUBgKPYZiFTu4p8KFPrDyYy3xvtwTGdK5HKZQV1atRVuq3KagwA7x97Vi9WxaDRj-T-yrkUdUHBZ50iE9FD7mly3prbmh7GoQtUpyPnPebl9TkcVyvG_sU2MAjaJ_q1S8f3bfEzjolkuXtp1XiwHHsL7jgvnZwUsxQbTZrUAeG8ThJUfIu1LyeBQOjgJgrLuUGXkEV6Tg9vBJVCVXC0sS68C6xK1zvfGqshoZQhpDh1nOcR865TBUGbuYU61O8hO5xXnB11Ab3jgHGWyqbvQiPKdRkzs0ZMt5Aig_z48bPYbRI-UG56fqFyyTf6ahEysI2ytmKPdcSAf6y28qJ0C-Rsw
height: 2825
width: 3712
- name: places/ChIJl4E1IWrNvJUR3u6hca84qsE/photos/AZLasHrTTgN7O0FaCdiQ5IyNO6tfPZRRRv9AUhScU642Km7QAoF0uzZwhDajvT2C7BvY4Q3gcErjghRSjvoHieng6-XnXMynrGjrWLfGYOQ56-rZphNcaAB_bNyZ5rkBDTOwCier27xmrTmpgx29Z1aoEv2HWZ-3p914QLXKKFJsR16U9e2bj6vl5D9u5aJ1YWFdxktLWvNGJ0rdPZSnYW63f38eNwgUWRYYI1wgiX-fIEqkJbnoB9JB3Z_P4rew05BOUX3m-Ow9iuKoutOuS6YFUtPbY7iyfxAjf5PuflZ2L_R_epydtbAfxbCCSQ7_iSZ5wI716CWhxMyinPvG5ndWQonrPd0jYB4CD3haXU9N74HJsjsDYBgNW8QqpQEXsdBP3BToyoG7VI04iEe1z_uD8aGgtTWMIVdqw_HGjpGs0WY
height: 2174
width: 3356
google_maps_url: https://maps.google.com/?cid=13955028721537773278&g_mp=Cidnb29nbGUubWFwcy5wbGFjZXMudjEuUGxhY2VzLlNlYXJjaFRleHQQAhgEIAA
llm_verification:
is_match: true
@ -296,30 +308,30 @@ logo_enrichment:
source_url: https://bibliotecapopularalberdi.com.ar
extraction_method: crawl4ai
claims:
- claim_type: logo_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/2021/05/LogoBA_nuew-150x150.png
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '#masthead > div.elementor.elementor-628 > section.elementor-section.elementor-top-section > div.elementor-container.elementor-column-gap-default
> div.elementor-column.elementor-col-50 > div.elementor-widget-wrap.elementor-element-populated > div.elementor-element.elementor-element-1978ef8
> div.elementor-widget-container > img.attachment-thumbnail.size-thumbnail'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_header_logo
detection_confidence: high
alt_text: Logo BPA nuevo
- claim_type: favicon_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/2023/05/cropped-cropped-LogoBA_new_red-1-180x180.jpg
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '[document] > html > head > link:nth-of-type(44)'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/elementor/thumbs/BPAFRENTE_Placa-1-qu9ernq75zfd1c25zibr9t8rqgnomgwvhxldrjacvs.jpg
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '[document] > html > head > meta:nth-of-type(11)'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_meta_og
- claim_type: logo_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/2021/05/LogoBA_nuew-150x150.png
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '#masthead > div.elementor.elementor-628 > section.elementor-section.elementor-top-section > div.elementor-container.elementor-column-gap-default
> div.elementor-column.elementor-col-50 > div.elementor-widget-wrap.elementor-element-populated > div.elementor-element.elementor-element-1978ef8
> div.elementor-widget-container > img.attachment-thumbnail.size-thumbnail'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_header_logo
detection_confidence: high
alt_text: Logo BPA nuevo
- claim_type: favicon_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/2023/05/cropped-cropped-LogoBA_new_red-1-180x180.jpg
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '[document] > html > head > link:nth-of-type(44)'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_link_rel
favicon_type: ''
favicon_sizes: ''
- claim_type: og_image_url
claim_value: https://bibliotecapopularalberdi.com.ar/wp-content/uploads/elementor/thumbs/BPAFRENTE_Placa-1-qu9ernq75zfd1c25zibr9t8rqgnomgwvhxldrjacvs.jpg
source_url: https://bibliotecapopularalberdi.com.ar
css_selector: '[document] > html > head > meta:nth-of-type(11)'
retrieved_on: '2025-12-27T14:39:32.345574+00:00'
extraction_method: crawl4ai_meta_og
summary:
total_claims: 3
has_primary_logo: true

Some files were not shown because too many files have changed in this diff Show more