diff --git a/.opencode/rules/no-hallucinated-ontology-references.md b/.opencode/rules/no-hallucinated-ontology-references.md new file mode 100644 index 0000000000..c3ed118a3e --- /dev/null +++ b/.opencode/rules/no-hallucinated-ontology-references.md @@ -0,0 +1,316 @@ +# Rule 51: No Hallucinated Ontology References + +**Priority**: CRITICAL +**Scope**: All LinkML schema files (`schemas/20251121/linkml/`) +**Created**: 2025-01-13 + +--- + +## Summary + +All ontology references in LinkML schema files (`class_uri`, `slot_uri`, `*_mappings`) MUST be verifiable against actual ontology files in `/data/ontology/`. References to predicates or classes that do not exist in local ontology files are considered **hallucinated** and are prohibited. + +--- + +## The Problem + +AI agents may suggest ontology mappings based on training data without verifying that: +1. The ontology file exists in `/data/ontology/` +2. The specific predicate/class exists within that ontology file +3. The prefix is declared and resolvable + +This leads to schema files containing references like `dqv:value` or `adms:status` that cannot be validated or serialized to RDF. + +--- + +## Requirements + +### 1. All Ontology Prefixes Must Have Local Files + +Before using a prefix (e.g., `prov:`, `schema:`, `org:`), verify the ontology file exists: + +```bash +# Check if ontology exists +ls data/ontology/ | grep -i "prov\|schema\|org" +``` + +**Available Ontologies** (as of 2025-01-13): + +| Prefix | File | Verified | +|--------|------|----------| +| `prov:` | `prov-o.ttl`, `prov.ttl` | ✅ | +| `schema:` | `schemaorg.owl` | ✅ | +| `org:` | `org.rdf` | ✅ | +| `skos:` | `skos.rdf` | ✅ | +| `dcterms:` | `dublin_core_elements.rdf` | ✅ | +| `foaf:` | `foaf.ttl` | ✅ | +| `rico:` | `RiC-O_1-1.rdf` | ✅ | +| `crm:` | `CIDOC_CRM_v7.1.3.rdf` | ✅ | +| `geo:` | `geo.ttl` | ✅ | +| `sosa:` | `sosa.ttl` | ✅ | +| `bf:` | `bibframe.rdf` | ✅ | +| `edm:` | `edm.owl` | ✅ | +| `premis:` | `premis3.owl` | ✅ | +| `dcat:` | `dcat3.ttl` | ✅ | +| `ore:` | `ore.rdf` | ✅ | +| `pico:` | `pico.ttl` | ✅ | +| `gn:` | `geonames_ontology.rdf` | ✅ | +| `time:` | `time.ttl` | ✅ | +| `locn:` | `locn.ttl` | ✅ | +| `dqv:` | `dqv.ttl` | ✅ | +| `adms:` | `adms.ttl` | ✅ | + +**NOT Available** (do not use without adding): + +| Prefix | Status | Alternative | +|--------|--------|-------------| +| `qudt:` | Only referenced in era_ontology.ttl | Use `hc:` with close_mappings annotation | + +### 2. Predicates Must Exist in Ontology Files + +Before using a predicate, verify it exists: + +```bash +# Verify predicate exists +grep -l "hasFrameRate\|frameRate" data/ontology/premis3.owl + +# Check specific predicate definition +grep -E "premis:hasFrameRate|:hasFrameRate" data/ontology/premis3.owl +``` + +### 3. Use hc: Prefix for Domain-Specific Concepts + +When no standard ontology predicate exists, use the Heritage Custodian namespace: + +```yaml +# CORRECT - Use hc: with documentation +slots: + heritage_relevance_score: + slot_uri: hc:heritageRelevanceScore + description: Heritage sector relevance score (0.0-1.0) + annotations: + ontology_note: >- + No standard ontology predicate for heritage relevance scoring. + Domain-specific metric for this project. + +# WRONG - Hallucinated predicate +slots: + heritage_relevance_score: + slot_uri: dqv:heritageScore # Does not exist! +``` + +### 4. Document External References in close_mappings + +When a similar concept exists in an ontology we don't have locally, document it in `close_mappings` with a note: + +```yaml +slots: + confidence_score: + slot_uri: hc:confidenceScore + close_mappings: + - dqv:value # W3C Data Quality Vocabulary (not in local files) + annotations: + external_ontology_note: >- + dqv:value from W3C Data Quality Vocabulary would be semantically + appropriate but ontology not included in project. See + https://www.w3.org/TR/vocab-dqv/ +``` + +--- + +## Verification Workflow + +### Before Adding New Mappings + +1. **Check if ontology file exists**: + ```bash + ls data/ontology/ | grep -i "" + ``` + +2. **Search for predicate in ontology**: + ```bash + grep -l "" data/ontology/* + ``` + +3. **Verify predicate definition**: + ```bash + grep -B2 -A5 "" data/ontology/ + ``` + +4. **If not found**: Use `hc:` prefix with appropriate documentation + +### When Reviewing Existing Mappings + +Run validation script: + +```bash +# Find all slot_uri references +grep -r "slot_uri:" schemas/20251121/linkml/modules/slots/ | \ + grep -v "hc:" | \ + cut -d: -f3 | \ + sort -u + +# Verify each prefix has a local file +for prefix in prov schema org skos dcterms foaf rico; do + echo "Checking $prefix:" + ls data/ontology/ | grep -i "$prefix" || echo " NOT FOUND!" +done +``` + +--- + +## Ontology Addition Process + +If a new ontology is genuinely needed: + +1. **Download the ontology**: + ```bash + curl -L -o data/ontology/.ttl "" -H "Accept: text/turtle" + ``` + +2. **Update ONTOLOGY_CATALOG.md**: + ```bash + # Add entry to data/ontology/ONTOLOGY_CATALOG.md + ``` + +3. **Verify predicates exist**: + ```bash + grep "" data/ontology/.ttl + ``` + +4. **Update LinkML prefixes** in schema files + +--- + +## Examples + +### CORRECT: Verified Mapping + +```yaml +slots: + retrieval_timestamp: + slot_uri: prov:atTime # Verified in data/ontology/prov-o.ttl + range: datetime +``` + +### CORRECT: Domain-Specific with External Reference + +```yaml +slots: + confidence_score: + slot_uri: hc:confidenceScore # HC namespace (always valid) + range: float + close_mappings: + - dqv:value # External reference (documented, not required locally) + annotations: + ontology_note: >- + Uses HC namespace as dqv: ontology not in local files. + dqv:value would be semantically appropriate alternative. +``` + +### WRONG: Hallucinated Mapping + +```yaml +slots: + confidence_score: + slot_uri: dqv:value # INVALID - dqv: not in data/ontology/! + range: float +``` + +### WRONG: Non-Existent Predicate + +```yaml +slots: + frame_rate: + slot_uri: premis:hasFrameRate # INVALID - predicate not in premis3.owl! + range: float +``` + +--- + +## Consequences of Violation + +1. **RDF serialization fails** - Invalid prefixes cause gen-owl errors +2. **Schema validation errors** - LinkML validates prefix declarations +3. **Broken interoperability** - External systems cannot resolve URIs +4. **Data quality issues** - Semantic web tooling cannot process data + +--- + +## PREMIS Ontology Reference (premis3.owl) + +**CRITICAL**: The PREMIS ontology is frequently hallucinated. ALL premis: references MUST be verified. + +### Valid PREMIS Classes + +``` +Action, Agent, Bitstream, Copyright, Dependency, EnvironmentCharacteristic, +Event, File, Fixity, HardwareAgent, Identifier, Inhibitor, InstitutionalPolicy, +IntellectualEntity, License, Object, Organization, OutcomeStatus, Person, +PreservationPolicy, Representation, RightsBasis, RightsStatus, Rule, Signature, +SignatureEncoding, SignificantProperties, SoftwareAgent, Statute, +StorageLocation, StorageMedium +``` + +### Valid PREMIS Properties + +``` +act, allows, basis, characteristic, citation, compositionLevel, dependency, +determinationDate, documentation, encoding, endDate, fixity, governs, +identifier, inhibitedBy, inhibits, jurisdiction, key, medium, note, +originalName, outcome, outcomeNote, policy, prohibits, purpose, rationale, +relationship, restriction, rightsStatus, signature, size, startDate, +storedAt, terms, validationRules, version +``` + +### Known Hallucinated PREMIS Terms (DO NOT USE) + +| Hallucinated Term | Correction | +|-------------------|------------| +| `premis:PreservationEvent` | Use `premis:Event` | +| `premis:RightsDeclaration` | Use `premis:RightsBasis` or `premis:RightsStatus` | +| `premis:hasRightsStatement` | Use `premis:rightsStatus` | +| `premis:hasRightsDeclaration` | Use `premis:rightsStatus` | +| `premis:hasRepresentation` | Use `premis:relationship` or `dcterms:hasFormat` | +| `premis:hasRelatedStatementInformation` | Use `premis:note` or `adms:status` | +| `premis:hasObjectCharacteristics` | Use `premis:characteristic` | +| `premis:rightsGranted` | Use `premis:RightsStatus` class with `premis:restriction` | +| `premis:rightsEndDate` | Use `premis:endDate` | +| `premis:linkingAgentIdentifier` | Use `premis:Agent` class | +| `premis:storageLocation` (lowercase) | Use `premis:storedAt` property or `premis:StorageLocation` class | +| `premis:hasFrameRate` | Does not exist - use `hc:frameRate` | +| `premis:environmentCharacteristic` (lowercase) | Use `premis:EnvironmentCharacteristic` (class) | + +### PREMIS Verification Commands + +```bash +# List all PREMIS classes +grep -E "owl:Class.*premis" data/ontology/premis3.owl | \ + sed 's/.*v3\///' | sed 's/".*//' | sort -u + +# List all PREMIS properties +grep -E "ObjectProperty|DatatypeProperty" data/ontology/premis3.owl | \ + grep -oP 'v3/\K[^"]+' | sort -u + +# Verify a specific term exists +grep -c "YourTermHere" data/ontology/premis3.owl +``` + +--- + +## See Also + +- Rule 38: Slot Centralization and Semantic URI Requirements +- Rule 50: Ontology-to-LinkML Mapping Convention +- `/data/ontology/ONTOLOGY_CATALOG.md` - Available ontologies +- `.opencode/rules/slot-ontology-mapping-reference.md` - Mapping reference + +--- + +## Version History + +- **2025-01-13**: Added 7 more hallucinated PREMIS terms discovered during schema audit: + - `premis:hasRightsStatement`, `premis:hasRightsDeclaration`, `premis:hasRepresentation` + - `premis:hasRelatedStatementInformation`, `premis:rightsGranted`, `premis:rightsEndDate` + - `premis:linkingAgentIdentifier` +- **2025-01-13**: Initial creation after discovering dqv:, adms:, qudt: references without local files diff --git a/.opencode/rules/slot-ontology-mapping-reference.md b/.opencode/rules/slot-ontology-mapping-reference.md new file mode 100644 index 0000000000..5358a260ab --- /dev/null +++ b/.opencode/rules/slot-ontology-mapping-reference.md @@ -0,0 +1,359 @@ +# Slot Ontology Mapping Reference + +This document provides the complete ontology predicate mappings for all 970 LinkML slots that previously had the `hc:` (Heritage Custodian) prefix. + +## Overview + +| Category | Count | Primary Ontologies | +|----------|-------|-------------------| +| Provenance/Extraction | ~50 | `prov:`, `dcterms:` | +| Confidence/Scores | ~62 | `dqv:`, `hc:` | +| Boolean Flags | ~131 | `hc:`, `org:` | +| Names/Descriptions | ~72 | `schema:`, `skos:`, `dcterms:` | +| Types/Status | ~60 | `dcterms:`, `hc:` | +| Identifiers | ~53 | `dcterms:`, `org:`, `schema:` | +| URLs | ~24 | `schema:`, `foaf:`, `dcterms:` | +| Dates/Times | ~22 | `schema:`, `prov:`, `dcterms:` | +| Budget/Financial | ~22 | `schema:`, `hc:` | +| Counts/Quantities | ~28 | `schema:`, `hc:` | +| Relationships | ~30 | `org:`, `dcterms:`, `rico:` | +| Language/Text | ~25 | `schema:`, `dcterms:`, `rdf:` | +| Physical/Spatial | ~30 | `schema:`, `geo:`, `hc:` | +| Audio/Video | ~30 | `schema:`, `dcterms:`, `hc:` | +| **TOTAL** | **~639** | | + +--- + +## 1. Provenance/Extraction Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `retrieval_timestamp` | `prov:atTime` | Timestamp of retrieval event | +| `extraction_timestamp` | `prov:generatedAtTime` | When extraction result was created | +| `archived_at` | `prov:generatedAtTime` | When archived copy was created | +| `retrieval_method` | `prov:hadPlan` | The plan/procedure used for retrieval | +| `generated_by` | `prov:wasGeneratedBy` | Activity that generated this entity | +| `created_by_project` | `prov:wasAttributedTo` | Project agent responsible for creation | +| `approved_by` | `prov:wasAttributedTo` | Agent who approved (with role qualifier) | +| `asserted_by` | `prov:wasAttributedTo` | Agent who made the assertion | +| `documented_by` | `prov:hadPrimarySource` | Primary source documentation | +| `retrieved_by` | `prov:wasAssociatedWith` | Agent who performed retrieval | +| `observed_entity` | `prov:entity` | Entity being observed | +| `observer_name` | `prov:agent` | Observing agent | +| `observer_type` | `prov:hadRole` | Role/type of observer | +| `observer_affiliation` | `prov:actedOnBehalfOf` | Observer's affiliated organization | +| `processing_status` | `hc:processingStatus` | Workflow status (domain-specific) | +| `processing_duration_seconds` | `prov:value` | Duration value | +| `processing_priority` | `hc:processingPriority` | Priority (domain-specific) | +| `validation_status` | `hc:validationStatus` | Validation status (domain-specific) | +| `backup_status` | `hc:backupStatus` | Backup status (domain-specific) | +| `verified` | `prov:wasAttributedTo` | Verified by agent | + +--- + +## 2. Confidence/Score Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `confidence` | `dqv:value` | W3C Data Quality Vocabulary | +| `confidence_score` | `dqv:value` | Data quality measurement | +| `likelihood_score` | `hc:likelihood_score` | Probabilistic assessment | +| `heritage_relevance_score` | `hc:heritage_relevance_score` | Heritage domain metric | +| `museum_search_score` | `hc:museum_search_score` | Template-specific relevance | +| `library_search_score` | `hc:library_search_score` | Template-specific relevance | +| `archive_search_score` | `hc:archive_search_score` | Template-specific relevance | +| `collection_discovery_score` | `hc:collection_discovery_score` | Template-specific relevance | +| `person_research_score` | `hc:person_research_score` | Template-specific relevance | +| `location_browse_score` | `hc:location_browse_score` | Template-specific relevance | +| `identifier_lookup_score` | `hc:identifier_lookup_score` | Template-specific relevance | +| `organizational_change_score` | `hc:organizational_change_score` | Template-specific relevance | +| `digital_platform_score` | `hc:digital_platform_score` | Template-specific relevance | +| `general_heritage_score` | `hc:general_heritage_score` | Fallback template score | +| `specificity_score` | `hc:specificity_score` | Schema design metric (Rule 37) | +| `engagement_rate` | `hc:engagement_rate` | Analytics ratio metric | +| `visitor_conversion_rate` | `hc:visitor_conversion_rate` | Analytics ratio metric | +| `growth_rate` | `hc:growth_rate` | Temporal change rate | +| `funding_rate` | `hc:funding_rate` | Funding rate metric | + +--- + +## 3. Boolean Flag Slots (Selected Examples) + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `is_accredited` | `hc:isAccredited` | Domain-specific (close: schema:hasCredential) | +| `is_active` | `hc:isActive` | Domain-specific (close: adms:status) | +| `is_branch_of` | `org:unitOf` | **Direct match** to W3C Org | +| `is_heritage_relevant` | `hc:isHeritageRelevant` | Core HC domain concept | +| `is_public_facing` | `hc:isPublicFacing` | Close to schema:publicAccess | +| `is_current_position` | `hc:isCurrentPosition` | Employment convenience flag | +| `is_embeddable` | `hc:isEmbeddable` | Platform content policy | +| `is_made_for_kid` | `hc:isMadeForKids` | Close to schema:isFamilyFriendly | + +**Note**: Most boolean flags use `hc:` prefix with `close_mappings` to related ontology terms, as standard ontologies rarely have boolean equivalents. + +--- + +## 4. Name/Description Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `branch_name` | `schema:name` | Entity name | +| `branch_description` | `schema:description` | Entity description | +| `portal_name` | `schema:name` | Entity name | +| `portal_description` | `schema:description` | Entity description | +| `scheme_name` | `skos:prefLabel` | SKOS concept scheme | +| `scheme_description` | `skos:definition` | SKOS definition | +| `call_title` | `dcterms:title` | Formal document title | +| `call_description` | `dcterms:description` | Formal document description | +| `organization_name` | `schema:name` | Organization entity name | +| `employer_name` | `schema:name` | Employer entity name | +| `degree_name` | `schema:name` | Academic credential name | + +**Pattern**: +- Entity names → `schema:name` +- Entity descriptions → `schema:description` +- Concept schemes → `skos:prefLabel` / `skos:definition` +- Formal documents → `dcterms:title` / `dcterms:description` + +--- + +## 5. Type/Status Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `storage_type` | `dcterms:type` | Type classification | +| `branch_type` | `dcterms:type` | Type classification | +| `content_type` | `dcterms:type` | Type classification | +| `document_type` | `dcterms:type` | Type classification | +| `heritage_type` | `dcterms:type` | Type classification | +| `operational_status` | `hc:operationalStatus` | Status (close: adms:status) | +| `portal_status` | `hc:portalStatus` | Status (close: adms:status) | +| `project_status` | `hc:projectStatus` | Status (close: adms:status) | +| `loan_status` | `hc:loanStatus` | Status (close: adms:status) | +| `unesco_list_status` | `hc:unescoListStatus` | Heritage-specific status | + +**Pattern**: +- Types → `dcterms:type` (with exact_mappings to `schema:additionalType`) +- Status → `hc:*Status` (with close_mappings to `adms:status`) + +--- + +## 6. Identifier Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `activity_id` | `dcterms:identifier` | General identifier | +| `project_id` | `dcterms:identifier` | General identifier | +| `branch_id` | `org:identifier` | Organizational unit | +| `department_id` | `org:identifier` | Organizational unit | +| `unit_id` | `org:identifier` | Organizational unit | +| `video_id` | `schema:identifier` | Media context | +| `device_id` | `schema:identifier` | Device context | +| `scheme_id` | `adms:identifier` | Formal scheme | + +**Pattern**: +- General → `dcterms:identifier` +- Organizational → `org:identifier` +- Web/Media → `schema:identifier` +- Formal schemes → `adms:identifier` + +--- + +## 7. URL Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `portal_url` | `schema:url` | Generic URL | +| `repository_url` | `schema:url` | Generic URL | +| `platform_url` | `schema:url` | Generic URL | +| `recording_url` | `schema:contentUrl` | Media content URL | +| `thumbnail_url` | `schema:contentUrl` | Media content URL | +| `profile_image_url` | `schema:contentUrl` | Media content URL | +| `homepage_web_address` | `foaf:homepage` | Primary homepage | +| `vendor_url` | `foaf:homepage` | Vendor homepage | +| `profile_url` | `foaf:page` | Page about entity | +| `collection_web_address` | `foaf:page` | Page about collection | +| `financial_document_url` | `dcterms:source` | Source document | +| `rights_statement_url` | `dcterms:source` | Authoritative source | +| `scheme_url` | `rdfs:seeAlso` | External reference | + +--- + +## 8. Date/Time Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `actual_start` | `schema:startDate` | Event start | +| `actual_end` | `schema:endDate` | Event end | +| `planned_start` | `schema:startDate` | Planned start | +| `planned_end` | `schema:endDate` | Planned end | +| `fiscal_year_start` | `schema:startDate` | Period boundary | +| `fiscal_year_end` | `schema:endDate` | Period boundary | +| `chapters_generated_at` | `prov:generatedAtTime` | Generation timestamp | +| `comment_published_at` | `schema:datePublished` | Publication timestamp | +| `comment_updated_at` | `schema:dateModified` | Modification timestamp | +| `start_time` | `schema:startTime` | Media timing | +| `end_time` | `schema:endTime` | Media timing | +| `start_seconds` | `schema:startTime` | Media timing (numeric) | +| `end_seconds` | `schema:endTime` | Media timing (numeric) | +| `programme_year` | `dcterms:date` | Single temporal point | + +--- + +## 9. Budget/Financial Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `funding_amount` | `schema:fundingAmount` | **Direct match** | +| `external_funding` | `hc:externalFunding` | Close to schema:fundingAmount | +| `internal_funding` | `hc:internalFunding` | Close to fibo:MonetaryAmount | +| `total_budget` | `hc:totalBudget` | Close to fibo:MonetaryAmount | +| `operating_budget` | `hc:operatingBudget` | Close to fibo:OperatingExpense | +| `preservation_budget` | `hc:preservationBudget` | Heritage domain-specific | +| `total_revenue` | `hc:totalRevenue` | Close to fibo:Revenue | +| `total_expense` | `hc:totalExpense` | Close to fibo:Expense | +| `total_asset` | `hc:totalAsset` | Close to fibo:Asset | +| `total_liability` | `hc:totalLiability` | Close to fibo:Liability | +| `endowment_draw` | `hc:endowmentDraw` | Related to fibo:Endowment | + +**Note**: Only `funding_amount` has direct schema.org match. Other financial terms use `hc:` with FIBO close_mappings. + +--- + +## 10. Count/Quantity Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `comment_count` | `schema:commentCount` | **Direct match** | +| `word_count` | `schema:wordCount` | **Direct match** | +| `character_count` | `schema:characterCount` | **Direct match** | +| `visitor_count` | `hc:visitorCount` | Close to maximumAttendeeCapacity | +| `follower_count` | `hc:followerCount` | Close to interactionStatistic | +| `view_count` | `hc:viewCount` | Close to interactionStatistic | +| `like_count` | `hc:likeCount` | Close to interactionStatistic | +| `record_count` | `hc:recordCount` | Close to rico:hasExtent | +| `objects_count` | `hc:objectsCount` | Close to crm:P57_has_number_of_parts | +| `unique_face_count` | `hc:uniqueFaceCount` | Close to sosa:hasSimpleResult | + +--- + +## 11. Relationship Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `aggregates_from` | `dcterms:references` | Data source reference | +| `feeds_portal` | `dcterms:relation` | Generic data flow | +| `provides_access_to` | `dcterms:references` | Resource reference | +| `platform_of` | `org:unitOf` | Organizational unit | +| `hosts_branch` | `org:hasUnit` | Organizational hosting | +| `parent_department` | `org:subOrganizationOf` | Organizational hierarchy | +| `parent_society` | `org:memberOf` | Membership relationship | +| `parent_programme` | `rico:isOrWasPartOf` | Archival/temporal part-of | +| `participating_custodian` | `org:hasMember` | Participation | +| `refers_to_person` | `dcterms:references` | Entity reference | +| `linked_to_collection` | `rico:isOrWasIncludedIn` | Archival inclusion | + +--- + +## 12. Language/Text Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `nl`, `en`, `de`, `fr` | `rdf:value` | Language-tagged values | +| `alpha_2`, `alpha_3` | `skos:notation` | Standardized codes | +| `default_language` | `schema:inLanguage` | Content language | +| `portal_language` | `schema:inLanguage` | Content language | +| `available_caption_languages` | `schema:availableLanguage` | Available options | +| `text_fragment` | `schema:text` | Text content | +| `full_text` | `schema:text` | Text content | +| `speech_text` | `schema:text` | Text content | + +--- + +## 13. Physical/Spatial Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `building_floor_area_sqm` | `schema:floorSize` | **Direct match** | +| `warehouse_floor_area_sqm` | `schema:floorSize` | **Direct match** | +| `square_meters` | `schema:size` | Standard measurement | +| `capacity_linear_meters` | `hc:capacityLinearMeters` | Archival standard (close: qudt) | +| `temperature_min/max/target` | `hc:temperature*` | Preservation (close: qudt) | +| `humidity_min/max/target` | `hc:humidity*` | Preservation (close: qudt) | +| `geometry_type` | `geo:hasGeometry` | GeoSPARQL standard | +| `from_location` | `schema:fromLocation` | **Direct match** | +| `to_location` | `schema:toLocation` | **Direct match** | +| `physical_location` | `schema:location` | **Direct match** | +| `work_location` | `schema:workLocation` | **Direct match** | + +--- + +## 14. Audio/Video Slots + +| Slot | slot_uri | Rationale | +|------|----------|-----------| +| `music_genre` | `schema:genre` | **Direct match** | +| `live_broadcast_content` | `schema:isLiveBroadcast` | **Direct match** | +| `subtitle_format` | `dcterms:format` | Format description | +| `transcript_format` | `dcterms:format` | Format description | +| `frame_rate` | `hc:frameRate` | Domain-specific (no standard equivalent) | +| `snr_db` | `hc:signalToNoiseRatio` | Audio quality metric | +| `diarization_*` | `hc:diarization*` | Speaker processing | +| `music_*` | `hc:music*` | Music detection | +| `speech_*` | `hc:speech*` | Speech detection | + +--- + +## Summary: Ontology Usage Distribution + +| Ontology Prefix | Full Count | Primary Use Cases | +|-----------------|------------|-------------------| +| `hc:` | ~500+ | Domain-specific heritage concepts | +| `schema:` | ~80 | Names, URLs, dates, counts, locations | +| `dcterms:` | ~60 | Types, identifiers, formats, relations | +| `prov:` | ~30 | Provenance, generation, attribution | +| `org:` | ~20 | Organizational relationships | +| `skos:` | ~15 | Concept schemes, notations, labels | +| `foaf:` | ~10 | Homepage, page references | +| `rico:` | ~5 | Archival relationships | +| `geo:` | ~5 | Geographic/spatial | +| `dqv:` | ~2 | Data quality measurements | +| `adms:` | ~5 | Status, identifiers for assets | + +--- + +## Implementation Notes + +### When to Use Standard Ontology Predicates + +Use standard predicates when: +1. **Exact semantic match exists** (e.g., `schema:name`, `dcterms:identifier`) +2. **Well-established patterns** (e.g., `schema:startDate/endDate`) +3. **Interoperability is primary concern** + +### When to Use hc: Prefix + +Use domain-specific `hc:` prefix when: +1. **No standard equivalent exists** (e.g., `hc:heritageRelevanceScore`) +2. **Domain-specific semantics** (e.g., `hc:capacityLinearMeters`) +3. **Boolean flags without standard equivalents** +4. **Technical processing metrics** (e.g., `hc:diarizationConfidence`) + +### Required Close/Related Mappings + +When using `hc:` prefix, always include appropriate mappings: +- `close_mappings`: Similar semantics, different scope +- `related_mappings`: Conceptually related +- `broad_mappings`: External term is narrower +- `narrow_mappings`: External term is broader + +--- + +## Version History + +- **2025-01-13**: Added dqv.ttl and adms.ttl ontologies; fixed premis:hasFrameRate reference +- **2025-01-13**: Initial comprehensive mapping of 970 slots +- Follows Rule 38 (Slot Centralization and Semantic URI) +- Follows Rule 50 (Ontology-to-LinkML Mapping Convention) +- Follows Rule 51 (No Hallucinated Ontology References) diff --git a/AGENTS.md b/AGENTS.md index 0762d63683..0f061e263b 100644 --- a/AGENTS.md +++ b/AGENTS.md @@ -1485,6 +1485,49 @@ classes: --- +### Rule 51: No Hallucinated Ontology References + +**CRITICAL**: All ontology references (`class_uri`, `slot_uri`, `*_mappings`) MUST be verifiable against actual files in `/data/ontology/`. + +**The Problem**: AI agents may suggest predicates like `dqv:value` or `premis:hasFrameRate` without verifying they exist in local ontology files. This causes RDF serialization failures. + +**Available Ontologies** (verified 2025-01-13): + +| Prefix | File | Verified | +|--------|------|----------| +| `prov:` | `prov-o.ttl` | ✅ | +| `schema:` | `schemaorg.owl` | ✅ | +| `org:` | `org.rdf` | ✅ | +| `skos:` | `skos.rdf` | ✅ | +| `dcterms:` | `dublin_core_elements.rdf` | ✅ | +| `foaf:` | `foaf.ttl` | ✅ | +| `rico:` | `RiC-O_1-1.rdf` | ✅ | +| `dqv:` | `dqv.ttl` | ✅ | +| `adms:` | `adms.ttl` | ✅ | +| `dcat:` | `dcat3.ttl` | ✅ | + +**Verification Workflow**: +```bash +# 1. Check ontology file exists +ls data/ontology/ | grep -i "" + +# 2. Search for predicate +grep -l "" data/ontology/* +``` + +**When No Standard Exists**: Use `hc:` prefix with documentation: +```yaml +slots: + heritage_relevance_score: + slot_uri: hc:heritageRelevanceScore # Always valid + annotations: + ontology_note: "No standard ontology equivalent exists" +``` + +**See**: `.opencode/rules/no-hallucinated-ontology-references.md` for complete documentation + +--- + ## Appendix: Full Rule Content (No .opencode Equivalent) The following rules have no separate .opencode file and are preserved in full: diff --git a/data/ontology/ONTOLOGY_CATALOG.md b/data/ontology/ONTOLOGY_CATALOG.md index 2ed0741b73..ccf99f1a4f 100644 --- a/data/ontology/ONTOLOGY_CATALOG.md +++ b/data/ontology/ONTOLOGY_CATALOG.md @@ -2,7 +2,7 @@ This document catalogs all ontologies used in the GLAM Heritage Custodian project. -**Last Updated**: 2025-11-30 +**Last Updated**: 2025-01-13 ## Core Domain Ontologies @@ -76,6 +76,8 @@ This document catalogs all ontologies used in the GLAM Heritage Custodian projec | `dcat3.ttl` | DCAT (Data Catalog Vocabulary) | 3.0 | https://www.w3.org/TR/vocab-dcat-3/ | `dcat:` | | `schemaorg.owl` | Schema.org | 2024 | https://schema.org/ | `schema:` | | `vcard.rdf` | vCard Ontology | 4.0 | https://www.w3.org/TR/vcard-rdf/ | `vcard:` | +| `dqv.ttl` | Data Quality Vocabulary | 2016-12 | https://www.w3.org/TR/vocab-dqv/ | `dqv:` | +| `adms.ttl` | Asset Description Metadata Schema | 2015-07 | https://www.w3.org/TR/vocab-adms/ | `adms:` | ### Provenance & Temporal diff --git a/data/ontology/adms.ttl b/data/ontology/adms.ttl new file mode 100644 index 0000000000..187e85add0 --- /dev/null +++ b/data/ontology/adms.ttl @@ -0,0 +1,170 @@ +# deprecated - now maintained by Semic (see adms.var) + +@prefix dcterms: . +@prefix skos: . +@prefix foaf: . +@prefix owl: . +@prefix xsd: . +@prefix xhv: . +@prefix xml: . +@prefix voaf: . +@prefix vcard: . +@prefix rdfs: . +@prefix vann: . +@prefix dcat: . +@prefix rdf: . +@prefix wdrs: . +@prefix schema: . +@prefix adms: . + + a voaf:Vocabulary, owl:Ontology; + voaf:specializes dcat:; + dcterms:title "Asset Description Metadata Schema (ADMS)"@en; + rdfs:label "Asset Description Metadata Schema (ADMS)"@en; + dcterms:abstract "ADMS is a profile of DCAT, used to describe semantic assets (or just 'Assets'), defined as highly reusable metadata (e.g. xml schemata, generic data models) and reference data (e.g. code lists, taxonomies, dictionaries, vocabularies) that are used for eGovernment system development."@en; + dcterms:creator [schema:affiliation ; + rdfs:seeAlso ; + foaf:homepage ; + foaf:name "Phil Archer"] , + [schema:affiliation [foaf:homepage ; foaf:name "European Commission, Joint Research Centre "]; + rdfs:seeAlso ; + foaf:homepage ; + foaf:name "Andrea Perego"] , + [rdfs:seeAlso ; foaf:homepage ; + foaf:name "Makx Dekkers"]; + foaf:maker[foaf:name "Government Linked Data WG, based on output from the ADMS Working Group"; foaf:homepage ]; + dcterms:description """This is the RDF encoding of the Asset Description Metadata Schema, originally + developed under the European Union's ISA Programme and further developed by the W3C Government Linked Data Working Group. + It re-uses terms from several other vocabularies, notably Dublin Core, with elements of SKOS, FOAF and more. """; + dcterms:modified "2013-05-24"^^xsd:date; + dcterms:modified "2013-09-16"^^xsd:date; # removed erroneous . chars before closing blank nodes + dcterms:modified "2013-12-21"^^xsd:date; # corrected URI of schema to http://www,w3.org/ns/adms (no #) + dcterms:modified "2015-07-22"^^xsd:date; # Added rdfs:Class to definition of adms:Asset + vann:preferredNamespacePrefix "adms"; + vann:preferredNamespaceUri "http://www.w3.org/ns/adms#"; + rdfs:comment "This file specifies the set of RDF classes and properties used in ADMS"@en; + wdrs:describedby . + + + dcterms:identifier "adms:AssetRepository"; + a rdfs:Class; + rdfs:comment "An Asset Repository is a system or service that provides facilities for storage and maintenance of descriptions of Assets and Asset Distributions, and functionality that allows users to search and access these descriptions. An Asset Repository will typically contain descriptions of several Assets and related Asset Distributions."@en; + rdfs:isDefinedBy ; + rdfs:label "Asset Repository"@en; + rdfs:subClassOf dcat:Catalog. + + dcterms:identifier "adms:Asset"; + a rdfs:Class; + rdfs:comment "An Asset is an abstract entity that reflects the intellectual content of the asset and represents those characteristics of the asset that are independent of its physical embodiment. This abstract entity combines the FRBR entities work (a distinct intellectual or artistic creation) and expression (the intellectual or artistic realization of a work). Assets can be versioned. Every time the intellectual content of an asset changes, the result is considered to be a new asset that can be linked to previous and next versions of the Asset. The physical embodiment of an Asset is called an Asset Distribution. A particular Asset may have zero or more Asset Distributions.."@en; + rdfs:isDefinedBy ; + rdfs:label "Asset"@en; + rdfs:subClassOf dcat:Dataset. + + dcterms:identifier "adms:AssetDistribution"; + a rdfs:Class; + rdfs:comment "An Asset Distribution represents a particular physical embodiment of an Asset, which is an example of the FRBR entity manifestation (the physical embodiment of an expression of a work). An Asset Distribution is typically a downloadable computer file (but in principle it could also be a paper document) that implements the intellectual content of an Asset. A particular Asset Distribution is associated with one and only one Asset, while all Distributions of an Asset share the same intellectual content in different physical formats. Asset Distributions themselves are not versioned."@en; + rdfs:isDefinedBy ; + rdfs:label "Asset Distribution"@en; + rdfs:subClassOf dcat:Distribution. + + dcterms:identifier "adms:Identifier"; + a rdfs:Class; + rdfs:comment "This class is based on the UN/CEFACT Identifier complex type defined in See Section 5.8 of Core Components Data Type Catalogue Version 3.1 (http://www.unece.org/fileadmin/DAM/cefact/codesfortrade/CCTS/CCTS-DTCatalogueVersion3p1.pdf) In RDF this is expressed using the following properties: - the content string should be provided using skos:notation, datatyped with the identifier scheme (inclduing the version number if appropriate); - use dcterms:creator to link to a class describing the agency that manages the identifier scheme or adms:schemaAgency to provide the name as a literal. Although not part of the ADMS conceptual model, it may be useful to provide further properties to the Identifier class such as dcterms:created to provide the date on which the identifier was issued."^^rdf:XMLLiteral; + rdfs:isDefinedBy ; + rdfs:label "Identifier"@en. + + dcterms:identifier "adms:identifier"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "adms:identifier is used to link any resource to an instance of adms:Identifier which is its range. N.B. it is not appropriate to use dcterms:identifer to link to the Identifier class as its range is rdfs:Literal. ADMS uses this to provide any identifier for the Asset."@en; + rdfs:isDefinedBy ; + rdfs:label "identifier"@en; + rdfs:range . + + dcterms:identifier "adms:includedAsset"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links to an Asset that is contained in the Asset being described, e.g. when there are several vocabularies defined in a single document."@en; + rdfs:isDefinedBy ; + rdfs:label "included asset"@en; + rdfs:domain ; + rdfs:range . + + dcterms:identifier "adms:interoperabilityLevel"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links an Asset to its adms:InteroperabilityLevel. Since this is encoded using skos:Concept, that is the defined range for this property."@en; + rdfs:domain ; + rdfs:isDefinedBy ; + rdfs:label "interoperability level"@en; + rdfs:domain adms:Asset; + rdfs:range skos:Concept. + + dcterms:identifier "adms:last"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "A link to the current or latest version of the Asset."@en; + rdfs:isDefinedBy ; + rdfs:label "last"@en; + rdfs:subPropertyOf xhv:last. + + dcterms:identifier "adms:next"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "A link to the next version of the Asset."@en; + rdfs:isDefinedBy ; + rdfs:label "next"@en; + rdfs:subPropertyOf xhv:next. + + dcterms:identifier "adms:prev"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "A link to the previous version of the Asset."@en; + rdfs:isDefinedBy ; + rdfs:label "prev"@en; + rdfs:subPropertyOf xhv:prev. + + dcterms:identifier "adms:representationTechnique"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links an adms:AssetDistribution to a skos:Concept that is its adms:RepresentationTechnique."@en; + rdfs:isDefinedBy ; + rdfs:label "representation technique"@en; + rdfs:range skos:Concept. + + dcterms:identifier "adms:sample"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links to a sample of an Asset (which is itself an Asset)."@en; + rdfs:domain ; + rdfs:isDefinedBy ; + rdfs:label "sample"@en; + rdfs:range . + + dcterms:identifier "adms:schemeAgency"; + a rdf:Property, owl:DatatypeProperty; + rdfs:comment "The name of the agency responsible for issuing the identifier"@en; + rdfs:domain ; + rdfs:isDefinedBy ; + rdfs:label "scheme agency"@en; + rdfs:range rdfs:Literal. + + + dcterms:identifier "adms:status"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links to the status of the Asset or Asset Distribution in the context of a particular workflow process. Since Status is defined using a skos:Concept, that is the defined range for this property."^^rdf:XMLLiteral; + rdfs:isDefinedBy ; + rdfs:label "status"@en; + rdfs:range skos:Concept. + + dcterms:identifier "adms:supportedSchema"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "A schema according to which the Asset Repository can provide data about its content, e.g. ADMS"@en; + rdfs:isDefinedBy ; + rdfs:label "supported schema"@en; + rdfs:range adms:Asset. + + dcterms:identifier "adms:translation"; + a rdf:Property, owl:ObjectProperty; + rdfs:comment "Links Assets that are translations of each other."@en; + rdfs:isDefinedBy ; + rdfs:label "translation"@en. + + dcterms:identifier "adms:versionNotes"; + a rdf:Property, owl:DatatypeProperty; + rdfs:comment "A description of changes between this version and the previous version of the Asset."@en; + rdfs:isDefinedBy ; + rdfs:label "version info"@en; + rdfs:range rdfs:Literal. diff --git a/data/ontology/dqv.ttl b/data/ontology/dqv.ttl new file mode 100644 index 0000000000..beb8045230 --- /dev/null +++ b/data/ontology/dqv.ttl @@ -0,0 +1,186 @@ +@prefix rdf: . +@prefix owl: . +@prefix dcterms: . +@prefix xsd: . +@prefix vann: . +@prefix foaf: . +@prefix rdfs: . +@prefix qb: . +@prefix daq: . +@prefix voaf: . +@prefix oa: . +@prefix duv: . +@prefix skos: . + +@prefix dqv: . + +############################ +### Metadata section ####### +############################ + a voaf:Vocabulary; + dcterms:title "Data Quality Vocabulary"@en; + dcterms:description "The Data Quality Vocabulary (DQV) is seen as an extension to DCAT to cover the quality of the data, how frequently is it updated, whether it accepts user corrections, persistence commitments etc. When used by publishers, this vocabulary will foster trust in the data amongst developers."@en; + vann:preferredNamespaceUri "http://www.w3.org/ns/dqv#"; + vann:preferredNamespacePrefix "dqv"; + foaf:homepage ; + dcterms:created "2015-12-17"^^xsd:date; + dcterms:modified "2016-08-26"^^xsd:date; + dcterms:modified "2016-12-15"^^xsd:date; + dcterms:publisher ; + dcterms:type ; + dcterms:creator [foaf:name "Antoine Isaac"], [foaf:name "Riccardo Albertoni"] ; + dcterms:contributor [foaf:name "Jeremy Debattista"], [foaf:name "Makx Dekkers"], [foaf:name "Christophe Guéret"], [foaf:name "Deirdre Lee"], [foaf:name "Nandana Mihindukulasooriya"], [foaf:name "Amrapali Zaveri"] . + +###################### +### Classes here ##### +###################### + +dqv:QualityMeasurement a owl:Class, rdfs:Class ; + rdfs:label "Quality Measurement"@en ; + rdfs:comment "Represents the evaluation of a given dataset (or dataset distribution) against a specific quality metric."@en ; + owl:equivalentClass daq:Observation; + vann:usageNote "The unit of measure in quality measurement should be specified through the property sdmx-attribute:unitMeasure as recommended by RDF Data Cube. The Ontology of units of Measure (OM) by Rijgersberg Et Al provides a list of HTTP dereferenceable unit of measures, which can be exploited as values for sdmx-attribute:unitMeasure."@en ; + rdfs:subClassOf qb:Observation . + +dqv:Metric a owl:Class, rdfs:Class; + rdfs:label "Metric"@en ; + rdfs:comment "Represents a standard to measure a quality dimension. An observation (instance of dqv:QualityMeasurement) assigns a value in a given unit to a Metric."@en ; + owl:equivalentClass daq:Metric . + +dqv:Dimension a owl:Class, rdfs:Class ; + rdfs:label "Dimension"@en ; + rdfs:comment "Represents criteria relevant for assessing quality. Each quality dimension must have one or more metric to measure it. A dimension is linked with a category using the dqv:inCategory property."@en ; + rdfs:subClassOf skos:Concept ; + owl:equivalentClass daq:Dimension . + +dqv:Category a owl:Class, rdfs:Class ; + rdfs:label "Category"@en ; + rdfs:comment "Represents a group of quality dimensions in which a common type of information is used as quality indicator."@en ; + rdfs:subClassOf skos:Concept ; + owl:equivalentClass daq:Category . + +dqv:QualityMeasurementDataset a owl:Class, rdfs:Class ; + rdfs:label "Quality Measurement Dataset"@en ; + rdfs:comment "Represents a dataset of quality measurements, evaluations of one or more datasets (or dataset distributions) against specific quality metrics."@en ; + rdfs:subClassOf qb:DataSet ; + owl:equivalentClass daq:QualityGraph . + +dqv:QualityPolicy a owl:Class, rdfs:Class ; + rdfs:label "Quality Policy"@en ; + rdfs:comment "Represents a policy or agreement that is chiefly governed by data quality concerns."@en ; + . + +dqv:QualityAnnotation a owl:Class, rdfs:Class ; + rdfs:label "Quality Annotation"@en ; + rdfs:comment "Represents quality annotations, including ratings, quality certificates or feedback that can be associated to datasets or distributions. Quality annotations must have one oa:motivatedBy statement with an instance of oa:Motivation (and skos:Concept) that reflects a quality assessment purpose. We define this instance as dqv:qualityAssessment."@en ; + rdfs:subClassOf oa:Annotation ; + owl:equivalentClass + [ rdf:type owl:Restriction ; + owl:onProperty oa:motivation ; + owl:hasValue dqv:qualityAssessment + ] . + +dqv:QualityCertificate a owl:Class, rdfs:Class ; + rdfs:label "Quality Certificate"@en ; + rdfs:comment "An annotation that associates a resource (especially, a dataset or a distribution) to another resource (for example, a document) that certifies the resource's quality according to a set of quality assessment rules."@en ; + rdfs:subClassOf dqv:QualityAnnotation. + +dqv:UserQualityFeedback a owl:Class, rdfs:Class ; + rdfs:label "User Quality feedback"@en ; + rdfs:comment "Represents feedback that users have on the quality of datasets or distributions. Besides dqv:qualityAssessment, which is the motivation required by all quality annotations, one of the predefined instances of oa:Motivation should be indicated as motivation to distinguish among the different kinds of feedback, e.g., classifications, questions."@en ; + rdfs:subClassOf dqv:QualityAnnotation, duv:UserFeedback . + +dqv:QualityMetadata a owl:Class, rdfs:Class ; + rdfs:label "Quality Metadata"@en ; + rdfs:comment "Represents quality metadata, it is defined to group quality certificates, policies, measurements and annotations under a named graph."@en ; + rdfs:subClassOf ; + vann:usageNote "QualityMetadata containers do not necessary include all types of quality statements DQV can support. Implementers decide the granularity of containment. In the current version of DQV, we also leave open the choice of the containment technique. Implementers can use (RDF) graph containment. They may also use an appropriate property of their choice — for example (a subproperty of) dcterms:hasPart — to link instances of dqv:QualityMetadata with instances of other DQV classes."@en +. + + + +########################### +### Properties here ####### +########################### + +dqv:isMeasurementOf a rdf:Property, qb:DimensionProperty ; + rdfs:label "is measurement of"@en ; + rdfs:comment "Indicates the metric being observed."@en ; + rdfs:domain qb:Observation ; + rdfs:range dqv:Metric ; + owl:equivalentProperty daq:metric . + +# this property is still defined in the qb: namespace, the re-definition is therefore commented for now +# dqv:dataSet a rdf:Property ; +# rdfs:label "data set"@en ; +# rdfs:comment "Indicates the dataset to which a quality measure (which is an RDF Data Cube observation) belongs."@en ; +# rdfs:domain qb:Observation ; +# rdfs:range qb:DataSet . + +dqv:computedOn a rdf:Property, qb:DimensionProperty ; + rdfs:label "computed on"@en ; + rdfs:comment "Refers to the resource (e.g., a dataset, a linkset, a graph, a set of triples) on which the quality measurement is performed. In the DQV context, this property is generally expected to be used in statements in which objects are instances of dcat:Dataset or dcat:Distribution."@en ; + rdfs:domain dqv:QualityMeasurement ; + rdfs:range rdfs:Resource ; #introduced for compatibility with RDF Data Cube + owl:equivalentProperty daq:computedOn; + owl:inverseOf dqv:hasQualityMeasurement . + +dqv:value a rdf:Property, qb:MeasureProperty, owl:DatatypeProperty ; + rdfs:label "value"@en ; + rdfs:comment "Refers to values computed by metric."@en ; + rdfs:domain dqv:QualityMeasurement ; + owl:equivalentProperty daq:value . + +dqv:expectedDataType a rdf:Property ; + rdfs:label "expected data type"@en ; + rdfs:comment "Represents the expected data type for metric's observed value (e.g. xsd:boolean, xsd:double etc...)"@en ; + rdfs:domain dqv:Metric ; + rdfs:range xsd:anySimpleType ; + owl:equivalentProperty daq:expectedDataType . + +dqv:inCategory a rdf:Property ; + rdfs:label "in category"@en ; + rdfs:comment "Represents the category a dimension is grouped in."@en ; + rdfs:domain dqv:Dimension ; + rdfs:range dqv:Category ; + owl:inverseOf daq:hasDimension ; + vann:usageNote "Categories are meant to systematically organize dimensions. The Data Quality Vocabulary defines no specific cardinality constraints for dqv:inCategory, since distinct quality frameworks might have different perspectives over a dimension. A dimension may therefore be associated to more than one category. However, those who define new quality metrics should try to avoid this as much as possible and assign only one category to the dimensions they define."@en . + +dqv:inDimension a rdf:Property ; + rdfs:label "in dimension"@en ; + rdfs:comment "Represents the dimensions a quality metric, certificate and annotation allow a measurement of."@en ; + rdfs:range dqv:Dimension ; + vann:usageNote "Dimensions are meant to systematically organize metrics, quality certificates and quality annotations. The Data Quality Vocabulary defines no specific cardinality constraints for dqv:inDimension, since distinct quality frameworks might have different perspectives over a metric. A metric may therefore be associated to more than one dimension. However, those who define new quality metrics should try to avoid this as much as possible and assign only one dimension to the metrics they define. More than one dimension can be indicated for each quality annotation or certificate."@en . + +[ owl:inverseOf daq:hasMetric] rdfs:subPropertyOf dqv:inDimension . + +dqv:hasQualityMeasurement a rdf:Property ; + rdfs:label "has quality measurement"@en ; + rdfs:comment "Refers to the performed quality measurements. Quality measurements can be performed to any kind of resource (e.g., a dataset, a linkset, a graph, a set of triples). However, in the DQV context, this property is generally expected to be used in statements in which subjects are instances of dcat:Dataset or dcat:Distribution."@en ; + rdfs:range dqv:QualityMeasurement ; + owl:inverseOf dqv:computedOn . + +dqv:hasQualityMetadata a rdf:Property ; + rdfs:label "has quality metadata"@en ; + rdfs:comment "Refers to a grouping of quality information such as certificates, policies, measurements and annotations as a named graph. Quality information represented in such a grouping can pertain to any kind of resource (e.g., a dataset, a linkset, a graph, a set of triples). However, in the DQV context, this property is generally expected to be used in statements in which subjects are instances of dcat:Dataset or dcat:Distribution."@en ; + rdfs:range dqv:QualityMetadata . + +dqv:hasQualityAnnotation a rdf:Property ; + rdfs:label "has quality annotation"@en ; + rdfs:comment "Refers to a quality annotation. Quality annotation can be applied to any kind of resource, e.g., a dataset, a linkset, a graph, a set of triples. However, in the DQV context, this property is generally expected to be used in statements in which subjects are instances of dcat:Dataset or dcat:Distribution."@en ; + rdfs:range dqv:QualityAnnotation ; + rdfs:subPropertyOf [ owl:inverseOf oa:hasTarget] . + +########################### +### Instances here ####### +########################### + +dqv:qualityAssessment a oa:Motivation ; + skos:prefLabel "Quality assessment"@en ; + skos:definition "Motivation that must be specified for quality annotations."@en ; + vann:usageNote "Whenever DQV implementers need to extend the motivations for quality annotations, they should follow the instructions provided by the Web Annotation Data Model, and the concepts in the extension should be defined as specializations of dqv:qualityAssessment."@en ; + skos:broader oa:assessing . + +dqv:precision a dqv:Dimension ; + skos:prefLabel "Precision"@en ; + skos:definition "Precision is a quality dimension, which refers to the recorded level of details. It represents the exactness of a measurement or description. It is equivalent the notion of Precision from ISO 25012."@en . \ No newline at end of file diff --git a/frontend/public/ontology/RiC-O_1-1.rdf b/frontend/public/ontology/RiC-O_1-1.rdf new file mode 100644 index 0000000000..8fd1c01e65 --- /dev/null +++ b/frontend/public/ontology/RiC-O_1-1.rdf @@ -0,0 +1,30839 @@ + + + + + + Florence Clavaud (Archives nationales de France), member of EGAD + and lead of EGAD RiC-O team from 2012 + Regine I. Heberlein (University of Princeton, USA), member of EGAD and EGAD + RiC-O team from 2023 to 2024 + Miia Herrala (National Archives of Finland), member of EGAD and + EGAD RiC-O team from 2016 to 2022 + Jan Krause-Bilvin (docuteam, Switzerland), member of EGAD and + EGAD RiC-O team from 2023 + Daniel Pitti (University of Virginia, USA), chair of EGAD from + 2012 + Aaron Rubinstein (University of Massachusetts Amherst, USA), + member of EGAD and EGAD RiC-O team from 2012 to 2022 + Tobias Wildi (docuteam, Switzerland), member of EGAD and EGAD + RiC-O team from 2019 + Richard David Williamson (National Archives of Norway), member + of EGAD and of EGAD RiC-O team from 2024 + Ivo Zandhuis (Consultant Digital Cultural Heritage, The + Netherlands), member of EGAD and EGAD RiC-O team from 2023 + International Council on Archives Expert Group on Archival + Description (ICA EGAD) + International Council on Archives + Copyright 2019-, International Council on Archives (ICA) + + + RiC-O (Records in Contexts-Ontology) is an OWL ontology for describing archival + record resources. As the third part of Records in Contexts standard, it is a formal + representation of Records in Contexts Conceptual Model (RiC-CM). + RiC-O provides a generic vocabulary and formal rules for creating RDF datasets + to describe any kind of archival record resource, whether natively or by transforming + existing metadata (or generating them from existing archival metadata). It supports + publishing RDF datasets as Linked Data, querying them using SPARQL, and making + inferences. + The current version is v1.1; it is + compliant with RiC-CM 1.0, which was published by EGAD on November + 30, 2023. + + + + + + + + + + + + Introduction + RiC-O (Records in Contexts-Ontology) is an OWL ontology for describing archival + record resources. As the third part of Records in Contexts standard, it is a formal + representation of Records in Contexts Conceptual Model (RiC-CM). This version, which + is v1.1, is the latest official release. It is compliant with RiC-CM v1.0. + The following diagram shows the main RiC-CM 1.0 entities and a few relations + between them: + + + RiC-O design principles + The following design principles were followed when developing RiC-O. + + 1. RiC-O is a domain and reference ontology. + RiC-O provides a generic vocabulary and formal rules for + creating RDF datasets (or generating them from existing archival metadata) that + describe in a consistent way any kind of archival record + resource. It supports publishing RDF datasets as Linked Data, + querying them using SPARQL, and making inferences using the logic of the + ontology. + While some projects have built some specific ontologies for describing + archives, in 2013 no generic domain ontology existed for the specific needs of the + archival community. This is why EGAD decided to develop RiC-O as a part of RiC + standard. + Apart from this first, main target, RiC-O, as a technical + implementation of RiC-CM that also extends and refines it and that includes + formal logic, can guide or inspire, in many ways, the development of any tool + or system that manages (i.e. stores, enables to edit or processes) and + publishes descriptive archival metadata.. Of course, other + technical implementations of RiC-CM may be developed later on. Also, the current + technical implementations of the former ICA standards, e.g. EAD and EAC-CPF XML + schemas, should be made closer to RiC-CM in the future; on this topic, see the news and announcements of the Technical Subcommittee on Encoded Archival + Standards (TS-EAS) of the Society of American Archivists. + As RiC-O is a generic, domain ontology, it does not address by + itself every specific need or expectation that may occur in every + archival institution or project. It is rather a high level + framework and an institution or project implementing RiC-O can + apply only such a subset of properties as meets their needs, or extend the + specification according to their particular requirements, or do both. + As a domain ontology, RiC-O, at this stage, does not borrow from other + existing ontologies (such as the cultural heritage models – IFLA-LRM and + CIDOC-CRM, PREMIS, or PROV-O). It should therefore be easier, for an archival + institution or archival project, to understand, implement and maintain RiC-O + within its system. + Alignment with those and other models, where possible, will be undertaken in + a future revision cycle to support the interconnected nature of resource + description across the domains. This is of course essential for interconnecting + RDF datasets conforming to RiC-O with other datasets, or for using parts of RiC-O + in other contexts than the archival or records management realm. + + 2. RiC-O is immediately usable. + + + This is a key feature. Metadata conforming + to superseded ICA standards can be transformed to RiC-O + successfully. Converting existing archival metadata created or + generated in current information systems and compliant with ICA standards to + RDF/RiC-O is possible without losing data or structure. + During the ongoing development process of RiC-O, intensive conversion + testing, either by hand or using scripts, was conducted on XML/EAD finding aids + and XML/EAC-CPF authority records to ensure that RiC-O is usable with existing + descriptive metadata. An open source + conversion software was also developed, whose first version was + published in April 2020. + While some existing metadata sets may have a very fine level of granularity + and accuracy, already using, for example, controlled vocabularies, or describing + curation events separately, often these metadata don’t have the very precise + structure that RiC-CM recommends. Even then, such a conversion process remains + possible. In order to allow this, RiC-O sometimes provides several methods for + representing information (as described below). From this point of view, RiC-O 1.1 + may be considered a transitional ontology, in which some components may be + deprecated later on. + The usability of a model also depends on its documentation. RiC-O is + documented extensively. The documentation will be reviewed and updated on a + continuing basis. + + 3. RiC-O provides a flexible framework. + + This is a very important principle too. It is related + with the usability principle quoted above. Moreover, archival + description is flexible by essence. It is quite commonly noted + that today the level of granularity of information varies from one finding aid to + another (or from one authority record to another), or even within the same finding + aid. Some series or agents are described summarily because little is known about + them and there is little time for extensive research, while other series, even + records, or agents are described in detail; some relations (e.g. that relating to + provenance) may be described without any detail while others may be thoroughly + documented, as ISAAR(CPF) and EAC-CPF allow it. + Being generally flexible, for an OWL ontology, depends first on the + polyhierarchical systems of classes and properties it provides. A superproperty or + superclass, more general or generic than its subproperties or subclasses, must + exist and be available for handling information, while at the same time more + accurate subcomponents must be there for handling more accurate description. Also, + RiC-O provides methods for describing relations as full entities, as well as + direct and short paths between entities. + + 4. RiC-O opens new potential for archival description. + + + Linked Data tools and interfaces enable end users to go through + RDF/RiC-O graphs, query them using SPARQL, and make inferences. This means a + completely new way of consulting archival metadata and their multiple + contexts. An end user should be able to ask of any given data + set, for example, “What are (according to your dataset) the corporate bodies that + succeeded a given entity from its end of existence to now (as concerns this given + activity)?”, or “what instantiations of this photograph exist?”, or “what are the + existing copies of this original charter?”, and get a list of these entities. This + means that institutions or projects that invest in the implementation of RiC-O + will be able to query their data in ways not possible with the previous ICA + standards, and will get new insight into the content and context of their archives + that wasn’t visible with the existing ICA-standards. What is more, repositories + using RiC-O may infer new assertions from the RDF datasets and link them to other + resources outside their institution, thereby amplifying the query and inferencing + possibilities manifold. + + 5. RiC-O is extensible. + + Institutions with descriptive needs beyond what RiC-O provides out-of-the-box + have the option of extending the ontology by adding new subclasses or + subproperties as needed. Also, the concepts defined in existing SKOS vocabularies + (e.g. a list of documentary form types) can also be connected to RiC-O based + graphs (using the *Type classes, and properties which are in the domain or range + of these classes). + RiC-O has also the potential to be usable in other contexts than purely + archival ones. It can be used to “hook” archival description to descriptive + metadata in other domains (e.g. bibliographic or museum metadata). As said above, + alignment with other models will be undertaken by EGAD in a future revision cycle, + facilitating such connections. + + + Understanding RiC-O: a quick overview of some features + + From RiC-CM to RiC-O + + 1. From RiC-CM components to RiC-O classes + + Each RiC-CM entity has a corresponding class in + RiC-O. These classes are organized according to the same + hierarchy as in RiC-CM. Some projects may need very few of them (e.g. Agent, + Record Resource and Activity only), while others may need more (e.g. + Corporate Body and Person; Record; Place). + + Many classes only exist in RiC-O and not in + RiC-CM. These additional classes address special + needs: + + + some correspond to RiC-CM attributes, when it + may be considered necessary to handle them as full entities. This is the + case for Type and its subclasses, that + correspond to RiC-CM attributes that contain controlled values, and that + can help to articulate RiC-O with external RDF resources like SKOS + vocabularies; and also for Language, Name and + Identifier, that can be + considered as full entities and as key linking nodes in a RDF graph. All + these classes have been grouped under a Concept class. + + some classes have been added in order to provide a more + accurate definition and model for some entities. For + example, Place comes along with a + Physical Location + class, and with a Coordinates + class. A Place is considered both a geographical and + historical entity. As a historical entity, among other features, it has a + history, and may be preceded or succeeded by other Places. A Place also + may have zero to many Physical Location through time (for instance, its + boundaries, if it is an administrative area or a country, may change). + Each Physical Location may be connected to zero to many Coordinates. This + model is quite close to the Linked Places Format (https://github.com/LinkedPasts/linked-places). + Another example of such an addition is the Proxy class, that represents (stands for) + a Record Resource as it exists in a specific other Record Resource, and + may therefore be useful when you describe records which are + simultaneously included in several distinct record resources. + + finally, a system of n-ary classes helps to implement the + Relations section of RiC-CM. While these relations also + are represented as simple, binary object properties (e.g. hasOrganicProvenance that + corresponds to RiC-R026 relation), you may need to assign different + attributes to a relation, e.g. a date, certainty or description, as it is + already possible, and quite often done, in a XML/EAC-CPF file. One of the + standard available methods for representing such a documented relation in + RDF for now is to use a class. Thus, for example, in RiC-O a OrganicProvenanceRelation + class exists. Instances of this class can connect one to many + Agents to one to many created or accumulated Record Resources or + Instantiations, which actually is a quite common situation. In addition + to properties that can be used for any Thing, they may have some specific + object properties, like rico:relationHasDate that was added in RiC-O 1.1, or rico:relationCertainty, + rico:relationSource, + rico:relationState). Back + to the hasOrganicProvenance object property, let us add that it is + formally defined in RiC-O, using OWL 2 property chain axiom (see https://www.w3.org/TR/owl2-new-features/#F8:_Property_Chain_Inclusion), + as a ‘shortcut’ for the longer path + ‘thingIsSourceOfRelation/organicProvenanceRelation_role/relationHasTarget’, + where the intermediate node is an instance of OrganicProvenanceRelation: + + A triplestore, with the appropriate configuration, may thus + infer the direct ‘hasOrganicProvenance’ assertion from this long + path. + + + + 2. About RiC-O datatype properties (relations whose object is a + literal) + + Most of the datatype properties in RiC-O correspond to RiC-CM + attributes that contain free, plain text. See for example + rico:generalDescription, + rico:history and rico:scopeAndContent. + In many simple use cases it’s sufficent to just use the rico:identifier or rico:name datatype properties. However, as + already said, in addition to these datatype properties, the Name and + Identifier RiC-CM attributes also have corresponding classes (subclasses of + rico:Appellation). A resource + may have several Identifiers (e.g. archival reference code, system number, + digital object identifier) or Names and each comes with different + attributes; in this case instances of classes are needed. The Location + RiC-CM attribute also has a rico:PhysicalLocation corresponding class (for users who want + to use Place, Physical Location and Coordinates for handling + places). + As already said too, every RiC-CM attribute that has ‘controlled value’ + or ‘rule-based’ as a schema value, has a class as corresponding component in + RiC-O. However, for these CM attributes that correspond to a + RiC-O class, as it is necessary to provide an immediately usable + ontology, two supplementary datatype properties exist that allow not to + use the classes, at least for a while, if you want to implement RiC-O and + create RiC-O/RDF datasets from existing archival metadata without being + able to handle URIs for the information you have. + For example, you may not be able to handle and maintain URIs for some + controlled values you use in EAD finding aids for carrier types: maybe your + information system does not use a vocabulary for this, and you cannot for a + while consider these carrier types as full entities. Nevertheless you want + to produce RiC-O datasets where every piece of information is kept, and you + want to avoid blank nodes. If RiC-O would only provide the Carrier Type + class, it would be an issue for you. + So RiC-O provides a rico:type + datatype property, with range rdfs:literal, which allows you to move + forward. For RiC-CM Coordinates attribute, you also have the rico:geographicalCoordinates datatype property. + These datatype properties have a skos:scopeNote which says (for + example) "Provided for usability reasons. May be made deprecated or removed + later on. Use only if you don’t use Physical Location and Coordinates + classes with Place." + + The same key design principle (RiC-O must be immediately + usable) led us to define some datatype properties that would enable users + to use RiC-O in simple use cases where they do not want to consider dates + and rules as full entities. Thus, there of course is Date + and Rule classes in RiC-O (since there are Date and Rule entities in + RiC-CM). And you also have a rico:date datatype property, which has several + subproperties; plus a rico:ruleFollowed datatype property. The same + analysis led us to keep the rico:history datatype property in RiC-O (same as RiC-CM history + attribute), while RiC-CM and RiC-O also provide the Event class, and using a series of Events may + of course be a better method, easier to query, link and display, than simply + using a history prose discourse. The two methods may be used in parallel + within the same dataset by an institution that, for example, would decide to + emphasize only the accession, appraisal and description events among the + whole history of Record Resources. + These datatype properties have the same kind of skos:scopeNote as + above. + Finally, we have introduced a few datatype properties that + do not correspond to any RiC-CM attribute. + Some are superproperties, and thus group datatype properties: rico:physicalOrLogicalExtent, with rico:carrierExtent, + rico:instantiationExtent and rico:recordResourceExtent as subproperties; + rico:textualValue, with + rico:expressedDate, rico:normalizedValue and rico:quantity as subproperties; + rico:measure; rico:referenceSystem; rico:note (added in RiC-O 1.1), with + rico:authenticityNote, rico:integrityNote and + rico:physicalCharacteristicsNote as subproperties. + Some are simply more specific properties, like: rico:accrualsStatus; rico:recordResourceStructure and rico:instantiationStructure, + subproperties of rico:structure; rico:title (subproperty of rico:name); >rico:altitude, rico:height, rico:latitude, rico:length, rico:longitude, rico:width + (subproperties of rico:measure), rico:geodesicSystem and rico:altimetricSystem (subproperties of rico:referenceSystem); + rico:sentimentOrEmotionExpressed (added in RiC-O 1.1), + subproperty of rico:scopeAndContent. + + + 3. About RiC-O object properties (relations between two + entities) + In order to connect all the classes created, a significant + number of object properties have been defined, in addition to the 85 + relations defined in RiC-CM 1.0. + + While the 'flat' list of object properties is a long one, + the object properties are grouped + hierarchically, so that one can use the upper to + intermediate level ones for simplicity sake, or choose the most accurate and + expressive ones, or extend the system adding a subproperty easily. It is + expected that, in most use cases, a subset of these properties only will be + needed. + Below we just give a few details on certain specific sets of + properties. + While in RiC-CM it was not possible to achieve such a level of + precision with simple attributes, RiC-O includes object + properties to assert that a rico:RecordSet has or had members (either all of them, or + some of them) that share some characteristics, like + Language, ContentType, DocumentaryFormType, LegalStatus, RecordState, and + (added recently) accumulation or creation Date, or a subject (as a + rico:Thing). See for example rico:hasOrHadAllMembersWithType, or rico:hasOrHadSomeMembersWithSubject and its + subproperties. + + Some of the object properties are formally defined as + shortcuts: they can be inferred if you create triples that + include instances of the Relation classes. See the example explained above + in the section dedicated to classes. + In RiC-O 1.1, some object properties that connect a RecordResource or an + Agent to a Date are also now defined as shortcuts, like rico:isOrWasActiveAtDate or + rico:hasCreationDate. + + Many properties, added in RiC-O 1.0 and later, are + transitive, as explained in the history note. + + + 4. Named Individuals + RiC-O adds seven individuals to address current and frequent + needs: + + + FindingAid, AuthorityRecord, and IIIFManifest (added in RiC-O 1.1), which + are instances of both RiC-O Documentary Form Type and SKOS Concept, and + can be used for categorizing finding aids, authority records and IIIF + manifests, which can be considered as Records. For example, a Record with + Documentary Form Type ‘Finding Aid’ may be connected to one to many + Record Resources using the ‘rico:describes’ object property. + + Fonds, Series, File, and Collection are instances of both Record + Set Type class and skos:Concept. Their definition is taken from the + ISAD(G) glossary. They can be used for categorizing Record + Sets. + + We expect other categories to be defined by the archival community as + RiC-O matures, forming rich, hopefully multilingual, SKOS vocabularies that + support rich description (for example, allowing an instance of the Documentary Form Type class to + have a history and temporal relations to other documentary form + types). + + + + RiC-O documentation and annotation properties + Each class, property and individual has an English, a French and a Spanish + label (rdfs:label), and a description (rdfs:comment). Each class also has been + assigned a German label in RiC-O 1.1. Some components also have a + skos:scopeNote or a skos:example. + When a RiC-O class or property corresponds to a RiC-CM component in any + way, its description and scope note are either the same as or derived from + their RiC-CM definition and scope note. + RiC-O provides two annotation properties (subproperties of rdfs:comment) + for handling: + + information about the corresponding RiC-CM component when applicable + (rico:RiCCMCorrespondingComponent). Various phrasings are used + in this property depending on the rule applied for defining the RiC-CM + component. + information about possible mappings with other models or ontologies + (rico:closeTo, rarely used in this + 1.1 version)). + + Any change in the definition of a class or property made since December + 2019 is documented using a skos:changeNote. + + + + Next steps + The following is a non exhaustive list of known issues, topics or tasks on + which EGAD has begun to work and will continue to work in the next months. These + topics are part of the roadmap for RiC-O 2.0. + + articulate the Event and Activity classes, and the Relation system of + classes + add suggestions of mappings (in rico:closeTo) and OWL equivalences + between some classes or properties and components in other models (among which + - this is not an exhaustive list- PREMIS, Schema.org, PROV-O, IFLA-LRM and RDA, + CIDOC-CRM), or document how these models can be used together. + develop multilingual vocabularies in order to provide users with means to + populate RiC-CM attributes that have a controlled value, and to use shared + instances of RiC-O *Type classes, so that their RDF datasets would be easier to + query using SPARQL federated queries or portals, and to link to each other. + Such a task will probably start with curation Activity Types and Rule Types, in + addition to more Record Set Types and Documentary Form Types than the seven + ones already defined. + + + + + + International Council on Archives Records in Contexts Ontology + (ICA RiC-O) version 1.1 + rico + https://www.ica.org/standards/RiC/ontology# + International Council on Archives Records in Contexts Ontology (ICA + RiC-O) version 1.1 + + + + + + + Version 1.1 - 2025-05-22. + + + + History note + A first beta version of RiC-O was developed in 2017 and used by the National + Archives of France for building a proof of concept (https://piaaf.demo.logilab.fr). + EGAD continued to develop the ontology, and this process entered a very + active period in 2019, while RiC-CM v0.2 was being designed and edited. From + December 2018 to November 2019, about 65 persons that responded to a call for + reviewers, received successive beta versions of RiC-O and sent a few first + comments. While EGAD RiC-O team could not answer to each of these comments, each + was taken into account. RiC-O v0.1 was released on December 2019, at the same time + as RiC-CM v0.2 preview. + The Git repository that is used for handling RiC-O was made public in March + 2020 (see https://github.com/ICA-EGAD/RiC-O). + In 2020, RiC-CM v0.2 preview was significantly updated: the textual + definitions of many entities were changed, as well as the specifications of many + attributes; and the IRIs of lot of relations were changed, in order to take into + account past situations and to adopt some simple naming rules. As a consequence, + RiC-O had to be updated in order to remain compliant with RiC-CM. These changes + could not be made before the end of 2020, when RiC-CM could be considered stable. + EGAD also decided to make other changes in RiC-O, among which the most important + are mentioned in bold in the following list. + RiC-O 0.2 results from these updates and changes. It was released in February + 2021, and is fully compliant with RiC-CM 0.2, which was released in July + 2021. + + At the end of 2022, while the EGAD group, as part of + the development of version 1.0 of RiC-CM, was working on analyzing and taking into + account the very numerous comments relating to RiC-CM 0.2 received, a + new active phase of development started for RiC-O. A team of no longer three, + but six people prepared this version. It was then absolutely not + a question of breaking with the principles and methods already used; the work was + a continuation of what had already been done. It was a matter of + improving what had already been done, by simplifying wherever + possible the specifications, by adding some properties and taking into account + the needs that a growing community of users was expressing. On + the other hand, it was obviously a question of making RiC-O 1.0 + compliant with RiC-CM 1.0. + After the release of RiC-O 1.0 in December 2023, the development + team continued to improve the ontology. Bugs were fixed and a few + adjustments made to RiC-O documentation in v1.0.1 and 1.0.2. Then version 1.1 + introduced, in addition to some corrections and adjustments, several significant + additions or modifications, the majority of which concern the rico:RecordResource + class and/or its subclasses. + + As the result of this work, RiC-O 1.1 defines: + + + + 107 classes. As in RiC-CM 1.0, the modeling of dates + had been modified, this led to the removal of the three subclasses of rico:Date in RiC-O 1.0. It was also necessary to + add a rico:MandateType class, + corresponding to the new RiC-A44 Mandate Type attribute of RiC-CM 1.0. A + generic rico:OrganicOrFunctionalProvenanceRelation class was also added. + In RiC-O 1.1, a new rico:TitleType + class was added, as well as a rico:StudyAtRelation class. + + 75 datatype properties. Several properties had been + renamed in RiC-O 1.0, to make the ontology compliant with RiC-CM 1.0 (so + rico:descriptiveNote has become rico:generalDescription, whose definition is a little different). + A rico:length property had also been + added; rico:calendar and rico:dateStandard were removed. The hierarchy of + rico:date subproperties had been revised. + Some properties had been made subproperties of others (like rico:scopeAndContent, now a + subproperty of rico:generalDescription). Then in RiC-O 1.1, 14 datatype + properties were added, among which 9 are direct or indirect subproperties of + rico:date. Also, a rico:note datatype property was added, + superproperty of the already existing *note properties, with domain rico:Thing. + A new datatype property, rico:sentimentOrEmotionExpressed, subproperty of + rico:scopeAndContent, was created, with domain Record or Record Part. A rico:recordResourceSourceOfInformation datatype property was added + to connect a Record Resource to a source on which its content is based. Two + datatype properties with domain RecordResource or Proxy (rico:rankInSequence and rico:rankInHierarchy), were added, to + be used in addition only (never independently) to the object properties defined + for representing sequences and hierarchies of record resources. + + 480 object properties, compared to 400 in RiC-O 1.0 + and 423 in RiC-O 0.2. In RiC-O 1.0, significant + modifications had been made to the object properties of RiC-O + 0.2. On the one hand, a certain number of + properties had been added to make RiC-O compliant with RiC-CM + 1.0: addition of properties whose domain or range are rico:Date or rico:Event; addition of rico:hasOrHadMandateType and rico:isOrWasMandateTypeOf, + properties related to the new rico:MandateType class. On the other hand, to meet + the needs expressed by RiC-O users, other properties had been + added: rico:isAgentAssociatedWithPlace, rico:isOrWasEmployerOf, rico:wasMergedInto, rico:wasSplitInto, rico:hasDeathPlace, rico:hasBirthPlace, rico:hasOrHadAnalogueInstantiation, rico:hasOrHadDigitalInstantiation, and their inverse properties. + Furthermore, a significant number of properties had been added to + allow the expression of indirect relationships. Thus, it is + now possible, for instance, to specify that a rico:Record is included indirectly in a rico:RecordSet such as a fonds, using + rico:isIncludedInTransitive, or to infer this relation, which is + the super property of the new rico:isDirectlyIncludedIn property. The addition of + such transitive properties concerned partitive (sub-properties of rico:hasOrHadPart), sequential + (sub-properties of rico:precedesOrPreceded) and authority (sub-properties of + rico:hasOrHadSubordinate) relations, and the + inverse properties. It was accompanied by the creation of properties specifying + past relations. Finally, in order to simplify their + maintenance, the n-ary Relation classes had been rolified. 48 + new object properties had been created to do this, such as for example rico:leadershipRelation_role; + the definition of n-ary Relation classes (such as rico:LeadershipRelation) was + revised to introduce an equivalence with these properties when they have the + same source and the same target, and the property chain axioms of the + corresponding binary properties (such as rico:hasOrHadLeader) were revised. 166 object properties, which + existed in RiC-O 0.2 and were specific to each of the n-ary relations, could + then be deleted. A full accounting of the rolification of n-ary relations may + be found at https://github.com/ICA-EGAD/RiC-O/issues/67). + In RiC-O 1.1, 80 object properties were added, whose + domain or range are most often rico:RecordResource (or its subclasses), + rico:Proxy, rico:Instantiation, rico:Date or rico:Relation. + The following list describes the main additions made. + as a rico:TitleType class was added, the object properties needed + to connect it to rico:Title were also created. The names of + the higher level 'hasOrHadCategory' and 'isOrWasCategoryOf' object + properties have been changed to 'hasOrHadType' and + 'isOrWasTypeOf'. + a rico:studiesOrStudiedAt object property - and the inverse + one, rico:isOrWasAttendedByStudent - was added, subproperty of + rico:isOrWasMemberOf, to connect a Person to a Corporate Body at which + the person studies or studied; as already said above, the corresponding + rico:StudyAtRelation + n-ary class was also created; + object properties were added to be used for accumulation dates, + with domain the union of rico:RecordResource and rico:Instantiation (for + rico:hasAccumulationDate), or RecordSet (for rico:hasOrHadAllMembersWithAccumulationDate, rico:hasOrHadSomeMembersWithAccumulationDate, rico:hasOrHadMostMembersWithAccumulationDate), along with + the inverse properties. Note that a parallel rico:accumulationDate + datatype property was also created, along with its variants for + rico:RecordSet. Rico:hasAccumulationDate and rico:hasCreationDate were + made subproperties of a new rico:hasOrganicProvenanceDate object property. + the textual definitions (rdfs:comment) of several + object properties (rico:isPublicationDateOf, rico:isCreationDateOf, + rico:isAccumulationDateOf, rico:isDestructionDateOf) and of their + variants, related to the lifecycle of records and instantiations, were + modified so that they can now be used for describing planned events or + activities. New rico:isDerivationDateOf and rico:isMigrationDateOf object + properties, with domain Instantiation, and their inverse properties, also + were added, with the same broader temporal coverage. + a rico:relationHasDate object property (and its inverse + property) was created, and new chain property axioms could + be specified, using this new property, for connecting Record Resources + or Instantiations to a Date, through the n-ary provenance Relation + classes (rico:OrganicProvenanceRelation, + rico:CreationRelation and rico:AccumulationRelation) and the + Instantiation to Instantiation relations (rico:DerivationRelation and + rico:MigrationRelation). + a rico:isOrWasActiveAtDate object property (and its inverse + property) was added, defined as a shortcut for 'thingIsTargetOfRelation o + performanceRelation_role o relationHasDate'. + a new property was added to connect a Record Resource + to a Record Resource on which its content is based: + rico:recordResourceHasSourceOfInformation (and the inverse + rico:isSourceOfInformationOfRecordResource object property). + These properties replace, as concerns Record Resource, the 'source' + datatype property and the 'hasSource'/'isSourceOf' object properties, + which had been created in RiC-O 0.1 and removed in RiC-O 1.0; + new properties, some of which being transitive, were + added in order to complete the model as concerns the representation of + sequences and hierarchies of record resources. In + particular, this resulted in a significant set of object + properties in order to allow the use of rico:Proxy in such sequences + and hierarchies. + two properties (rico:hasContentWhichRepresents and rico:hasContentWhichMainlyRepresents) were added as + subproperties of rico:hasOrHadSubject and + rico:hasOrHadMainSubject, in order to connect Records or + Record Parts and the Things they represent. Variants of those properties + were created in order to connect a Record Set and the Things that some or + all of its members are about or represent. The inverse properties were + also created. + + + 7 named individuals, all of which are + instances of both skos:Concept and of, either rico:RecordSetType, or + rico:DocumentaryFormType. Six of those indivivuals had been defined in RiC-O + 0.1. In RiC-O 1.1, a new individual, IIIFManifest, instance of skos:Concept and of + rico:DocumentaryFormType, was added, to enable users to describe a IIIF + manifest in a RiC-O knowledge graph. Those individuals are part of two SKOS + vocabularies (documentaryFormTypes and recordSetTypes), which have also been available from v1.0 as + separate files, in the modularized version of RiC-O. + + Finally, significant efforts were made since the release of RiC-O 0.2 + regarding the documentation of the ontology. In particular, the + labels of each class and property (rdfs:label annotations) are now available in + French and Spanish as well as in English. We would like to thank + our French-speaking and Spanish-speaking colleagues, members or not of the + ICA/EGAD group, who contributed to this translation work. In RiC-O + 1.1, German labels were added to the 107 classes defined by the + ontology, thanks to the work of several German-speaking members + of ICA/EGAD. + RiC-O 1.1 therefore presents itself as an ontology richer than + RiC-O 0.2 and RiC-O 1.0, particularly as concerns record resources, + instantiations and agents, technically opening up new possibilities (with + transitive relations and shortcuts) and preserving or extending the semantics + defined previously. + A running list of changes since v0.1 may be found in Appendix I. Note that from October + 2020 any change on a component is described and dated in the specification of + this component, using skos:changeNote. + + + Appendix I: list of the changes made since the release of RiC-O + v0.1 + The following is a list of the changes made to RiC-O since the release of + RiC-O v0.1 in December 2019. The most important changes are mentioned in bold. + Note that from October 2020 any change on a component is described + and dated in the specification of this component, using + skos:changeNote. + + Fixed a bug in the documentation of rico:PerformanceRelation and its + object properties. + Renamed the file and updated the ontology metadata. + OccupationType made a subclass of ActivityType. + Changed the domain and range of rico:hasOriginal and rico:hasDraft (it is + now Record or Record Part); same for their inverse properties. + Fixed a bug in the definition of rico:provenanceRelationHasTarget + (removed the owl:propertyChainAxiom). + Changed the name of rico:leadBy object property (grammatical mistake) to + rico:ledBy. + 2020, October 19: Added a vann:preferredNamespaceUri and + vann:preferredNamespacePrefix property to the ontology metadata + 2020, October 19 : created RuleType and IdentifierType classes, along + with the associated object properties. + 2020, October 23: updated the text definition and/or scope + note of 33 classes, that correspond to RiC-CM entities or attributes, in + order to make them compliant with RiC-CM v0.2. Added a few + owl:disjointWith properties. + 2020, November 1: updated the text definition and/or scope + note of, and/or added examples for, 27 datatype properties, that correspond + to RiC-CM attributes, in order to make them compliant with RiC-CM + v0.2. + 2020, November 20: created new classes and properties for + handling an accurate description of instantation and record resource + extent: Extent, Carrier Extent, Instantiation Extent, Record + Resource Extent, Unit of measurement, Extent Type classes; unit of measurement + and quantity datatype properties; has Extent, is Extent Of, has Extent Type, is + Extent Type Of, has Unit Of Measurement, is Unit of Measurement Of, object + properties. + 2020, December 28: changed the IRIs and definition of RecordResourceState + class and of the associated object properties; changed the domain + or ranges and textual definitions of properties associated with Language, + LegalStatus, ContentType, DocumentaryFormType; added new object properties + for handling the description of some or all members of Record + Set. Added the corresponding change notes. + 2020, December 29: deleted the isSuperiorTo and isInferiorTo object + properties, as well as the AgentSubordinationRelation and its object properties + (as the RiC-R043 relation has been removed from RiC-CM 0.2). Added the + hasAuthor/isAuthorOf object properties, plus an AuthorshipRelation class and + its specific object properties (as the RiC-R079 relation has been added to + RiC-CM 0.2). Added the corresponding change notes. + 2021, January 22: changed the IRI, label, and/or + superproperties or inverse property IRI, and/or textual definition, and/or + domain or range, of 152 object properties. Among them, changed the IRI of + 119 object properties; 85 correspond to RiC-CM relations whose name has been + changed in RiC-CM 0.2. Added the corresponding change + notes. + 2021, January 27: added an rdfs:isDefinedBy to the specification of each + RiC-O class and property and made the last changes to the ontology metadata + (mainly in the history note). + 2021, February 1: last small changes in the ontology metadata (mainly in + the abstract). + 2021, February 1: 'hasOrHadPhysicalLocation' made a subproperty of + 'isPlaceAssociatedWith'; 'isOrWasPhysicalLocationOf' made a subproperty of + 'isAssociatedWithPlace'. + 2021, February 1: reordered everything with Protégé without changing the + content + 2021, February 4: checked and fixed the language of the + examples. + 2021, February 8: removed a few Restriction classes + (rdfs:subClassOf/owl:Restriction) in the definition of classes; completed the + textual definition and scope note of the Relation class. + 2021, February 9: added a link to RiC-CM 0.2 diagram overview in the + introduction; fixed some typos. + 2021, February 11: added an @xml:lang='en' on a few labels; updated the + definition (rdfs:comment) and scope note of the Rule class, as they were + recently changed in RiC-CM 0.2 full draft. + 2023, April 17: renamed the file (moving to RiC-O 1.0) and started to + update the ontology metadata. + 2023, April 19: removed the unnecessary restrictions + specified for a significant number of classes, among which + most of the subclasses of Type, plus Activity, AgentTemporalRelation, + Coordinates, CreationRelation, Event, Identifier, Instantiation, + MandateRelation, Person, PhysicalLocation, Place, RecordResource, RecordSet, + Rule. + 2023, April 21: removed an unnecessary restriction that remained on + Mandate class. + 2023, end of May-June 5: fixed some typos in the introduction and + definition of entities, including the use of "data property" term instead of + the correct "datatype property" one. + 2023, June 5: made includesOrIncluded object property a + subproperty of hasOrHadPart in addition to + isRecordResourceAssociatedToRecordResource. + 2023, June 21: added two object properties, sub-properties + of hasSuccessor: wasMergedInto and wasSplitInto, with + Corporate Body as domain and range, and their inverse ones. + 2023, July 25: adjusted definition of hasOrHadLanguage + 2023, August 25: added French labels to the descriptions of classes and + of datatype properties + 2023, August 28: added French labels to the descriptions of 250 object + properties; added an xml:lang attribute with value 'en' on rdfs:comment when it + was missing. Also added French labels to the two RiC-O annotation properties + and to the few named individuals already defined. + 2023, August 28: changed the domain of hasExtent (from Instantiation or + RecordResource to Thing), same for the range of isExtentOf; added a length + datatype property under measure. + 2023, August 29: updated hasInstantiation and + hasDerivedInstantiation, and the inverse properties (changed + their IRIs, labels, definitions, inverse properties, according to RiC-CM 1.0). + As a consequence, also updated the superproperties of migratedInto and + migratedFrom. Created four new object properties: + hasOrHadDigitalInstantiation, hasOrHadAnalogueInstantiation, and the inverse + ones. + 2023, August 29: fixed some typos in the English labels of a few object + properties and added the past tense to the English label of + hasOrHadCoordinates. + 2023, September 13: added 54 new object properties under 'hasorhadpart', + in order to extend the following nine existing properties: + 'containsOrContained', 'hasOrHadComponent', 'hasOrHadConstituent', + 'includesOrIncluded', 'hasOrHadSubdivision', 'hasOrHadSubevent'. Also did the + same for 'followsInTime', 'followsOrFollowed', 'isOrWasSubordinateto'. For each + listed property, one was added to express past partitive relations, and 2 other + ones for present partitive relations, the first one being transitive and the + superproperty of the second one. Added the inverse properties as well. Made + 'hasDescendant' and 'hasAncestor' transitive. + 2023, September 20: began to review and adjust the object + properties added on September 13, starting with the properties under + hasOrHadPart, and under the inverse isOrWasPartOf property. Among the + changes made: adjusted the change notes, added a few 'this is a transitive + relation' when missing in the rdfs:comment, and fixed the hierarchy of the + properties. Also, every past relation (e.g. contained) also made a + subproperty of hadPart. Every current transitive relation (e.g. + containsTransitive) made a subproperty of hasPartTransitive. Every current + direct relation (e.g. directlyContains) made a subproperty of + hasDirectPart. Fixed a syntaxic bug on the ontology history + note. + 2023, September 22: finished to check and fix the object properties added + on September 13, working on hasOrHadSubordinate/isOrWasSubordinateTo + subproperties and on precedesOrPreceded/followsOrFollowed + subproperties. + 2023, September 22: removed DateSingle, DateRange, DateSet + and added datatype and properties for dates. + 2023, October 10: began to complete the updates made for date and its + properties. work done for Date Type, hasDateType, is dateTypeOf, expressedDate, + normalizedDateValue and dateQualifier. Also made isCreationDateOfMostMembersOf + a subproperty of isCreationDateOfSomeMembersOf; same for the inverse object + properties. + 2023, October 12: finished to complete the updates made for + date and its properties. updated isCreationDateOf, + isCreationDateOfSomeMembersOf, isCreationDateOfMostMembersOf, + isCreationDateOfAllMembersOf, isPublicationDateOf and the inverse properties. + Also, renamed isDeletionDateOf into isDestructionDateOf, and applied the same + change to hasDeletiondate. Created isOccurrenceOf, isWithin, intersects ant the + inverse properties. + 2023, October 13: adjusted a few details on date object properties + (renamed some of them to correct the spelling or take past members of record + sets into account; added a few subPropertyOf; adjusted the annotations + accordingly). Fixed a syntax problem on the history note of the + ontology. + 2023, October 14: reintroduced the certainty datatype property with + domain Event and Relation. Adjusted a few details in the annotations of the + date properties. + 2023, October 16: fixed several bugs while resolving conflicts before + merging, including bad IRIs. + 2023, October 17: made occurredAtDate and isDateOfOccurenceof + subproperties of isEventAssociatedWith and isAssociatedWithEvent + 2023, October 19: made rico:wasUsedFromDate and rico:wasUsedToDate (and + its inverses) sub-properties of rico:hasBeginningDate and rico:hasEndDate (and + its inverses) respectively + 2023, October 19: added RecordPart to domain of hasOrHadConstituent and + to the range of the inverse property as well. + 2023, October 20: created the following new properties + isAgentAssociatedWithPlace, hasDeathPlace, hasBirthPlace, + agentHasOrHadLocation, hasOrHadEmployer and their inverse + properties as well. + 2023, October 26: added Record Part to the domain of hadOrhadConstituent + subproperties, and RecordPart to the range of the inverse ones. Changed the + definitions of these properties accordingly. Fixed a bug in the history note of + the ontology. Regenerated the inverse properties. + 2023, October 26: changed the domain and range of 'is or was employer + of', removed 'has or had member' super-property of the propertyn added an + rdfs:comment to it. Same for the inverse property. + 2023, October 26: added rdfs:comments, fixed one IRI, French labels, some + domains and range, to the recently added isPlaceAssociatedWithAgent, + isBirthPlaceOf, isDeathPlaceOf, isOrWasLocationOfAgent, and their inverse + properties. Fixed a bug in the history note of the ontology. Regenerated the + inverse properties. + 2023, November 2: added Spanish labels to 59 datatype + properties, 103 classes and 277 object properties. + 2023, November 7: added property chain axioms that were missing, in order + to define the following properties as shortcuts: isChildOf, hasOrHadPosition, + isOrWasAppellationOf, isOrWasDerivedFromInstantiation, hasOrHadWorkRelationWith + and hasGeneticLinkToRecordResource. + 2023, November 7: added a hasOrganicOrFunctionalProvenance property, + superproperty of documents and of hasOrganicProvenance (new name of + hasProvenance); added the shortcut. Same for the inverse property. Added a + OrganicAndFunctionalProvenanceRelation, superclass of OrganicProvenanceRelation + (new name of AgentOriginationRelation) and ActivityDocumentationRelation; + created the needed object properties. Adjusted the names of the properties of + OrganicProvenanceRelation. + 2023, November 8: rolifying the Relation classes, step + 1: created 48 reflexive object properties that rolify the + classes; modified the specifications of the Relation classes; modified the + property chain axioms of the corresponding shortcuts. Fixed the range of + isExtentOf. + 2023, November 8, later: rolifying the Relation classes, + step 2: deleted 166 object properties that had become + unnecessary. + 2023, November 12: updated the datatype properties in order + to make them compliant with RiC-CM 1.0 attributes. Changed the + IRIS of accrual (to accruals), accrualStatus (to accrualsStatus), + descriptiveNote (to generalDescription), integrity (to integrityNote), + physicalCharacteristics (to physicalCharacteristicsNote), + qualityOfRepresentation (to qualityOfRepresentationNote). Made scopeAndContent + a subproperty of generalDescription, and expressedDate a subproperty of name. + Updated or added a few domains and many rdfs:comment, skos:scopeNote, + skos:example. Also made usedFromDate a subproperty of beginningDate, and + usedToDate a subproperty of endDate. + 2023, November 12: updated the classes in order to make them + compliant with RiC-CM 1.0 entities and attributes. Updated or + added many rdfs:comment and skos:scopeNote, taking into account, as concerns + the Relation classes, the fact that they are n-ary. Created a new MandateType + class, corresponding to RiC-A44 attribute in RiC-CM 1.0. Also added a + rdfs:isDefinedBy to skos:Concept, skos:ConceptScheme and + voaf:Vocabulary. + 2023, November 12 and 13: updated 35 object properties in + order to make them compliant with RiC-CM 1.0 relations. Added labels or + modified rdfs:comment of 65 other object properties. Added + hasOrHadMandateType and isOrWasMandateType of. + + 2023, November 13: added or modified a few French or Spanish + labels. + 2023, November 13: updated the ontology metadata. + 2023, November 14: fixed some typos in the ontology metadata. + 2023, November 24: started to work on v1.0, after releasing v 1.0-beta: + renamed the file and updated a few metadata. + 2023, November 25: fixed three French labels; added Spanish labels to the + annotation properties and named individuals. + 2023, November 27: added Spanish labels to the 93 object properties which + were missing one. + 2023, December 6: improved the description (rdfs:comment) of + the 48 n-ary Relation classes by clearly specifying how they are + directed. + 2023, December 13: Completed the metadata of the vocabulary: added + dc:language, a history note and a scope note. + 2023, December 21: revised and updated the ontology metadata + and introduction, and the HTML view.. + 2023, December 27: in order to make the ontology clearer and more + consistent, renamed the certainty and source datatype properties to + relationCertainty and relationSource and reduced their domain to Relation. + Renamed the 'hasSource' object property to 'isEvidencedBy' and reduced its + domain to Relation and range to RecordResource; same for the inverse property, + 'isSourceOf', renamed to 'evidences'. Updated the specifications of these + properties accordingly. + 2023, December 27: added rdfs:isDefinedBy to all the properties not + defined in RiC-O itself. + 2023, December 28: made a few changes in the ontology introduction + (dcterms:description) and metadata. + 2023, December 29: Added the property chain axiom on + 'hasCreator'. + 2023, December 30: Fixed a typo in five French labels. + 2024, February 21: Fixed a typo in the rdfs:comment of rico:RoleType + class. + 2024, April 10: Fixed the IRI of + 'hasOrHadSomeMemberswithDocumentaryFormType' object property (changed to + 'hasOrHadSomeMembersWithDocumentaryFormType') and corrected + several typos. + 2024, April 12: Replaced the code illustrating the shortcut by an image, + change the headers of the subsections in 'From RiC-CM to RiC-O'; added a few + details to an sentence in the section on Ric-O properties; adjusted the + metadata, mainly moved to v1.0.1. + 2024, May 2: Added Richard David Williamson to the list of contributors + and set the date of v1.0.1 to May 2, 2024. + 2024, May 13: Added Richard Williamson's ORCID number, changed the + affiliation of T. Wildi and J. Krause-Bilvin, and set the date of v1.0.1 to May + 13, 2024. + 2024, August 2: Removed global reflexivity from the object + properties that rolify the Relation classes, to fix a source of + inconsistency (they still satisfy local reflexivity, i.e. + reflexivity for each of these object properties can be inferred for all + individuals in their domain). + 2024, September 2: Fixed the French label (rdfs:label) of the following + object properties: rico:isOrWasEnforcedBy; rico:isOrWasResponsibleForEnforcing; + rico:hasOrHadIntellectualPropertyRightsHolder; rico:hasOrHadController; + rico:isOrWasControllerOf; rico:isOrWasJurisdictionOf. + 2024, September 2: Moved to v1.0.2: updated the metadata, and + added a owl:versionIRI to this new version. Moved + v1.0.1 to the previous-versions subfolder. + 2024, September 2: Fixed a typo in two of the EDTF examples for + rico:normalizedDateValue. + 2024, September 4: Fixed a few typos in Appendix 1 and in a change note. + Changed the date of the release (it is 2024 September 4th now). + 2024, October 4: Added TitleType, hasTitleType and isTitleTypeOf; + Changed hasOrHadCategory et al. into + hasOrHadType + 2024, October 10: changed the French and/or Spanish labels of the + DemographicGroup class and of the 2 properties used with it, + hasOrHadDemographicGroup and isOrWasDemographicGroupOf. + 2024, October 14: added the following object properties + under isDateAssociatedWith: isAccumulationDateOf, + isOrWasAccumulationDateOfAllMembersOf, + isOrWasAccumulationDateOfSomeMembersOf (and its + isOrWasAccumulationDateOfMostMembersOf subproperty), and also + created the inverse properties under isAssociatedWithDate. + 2024, October 16: started to move to v2.0.0: modified some of the + ontology metadata (versionIRI, versionInfo, rdfs:label, dcterms:title). Removed + the declarations of the two not used dcterms:creator and dcterms:rights + annotations. Checked the annotation properties. Renamed the file. + 2024, October 21: fixed the Spanish label of 'hasSubeventTransitive'. + Added @xml:lang to 5 rdf:value and removed it from 9 dc:date in + skos:changeNote. Automatically reordered everything in the file, including the + labels and the change notes; regenerated the inverse properties. + 2024, October 22: went back from 2.0.0 to v1.1, following a decision made + by the RiC-O team today. Modified the ontology metadata (owl:versionInfo, + rdfs:label, dcterms:title). Renamed the file. + 2024, December 19: added relationHasDate and + isDateAssociatedWithRelation object properties, to connect n-ary Relation + classes and Dates. Added hasOrganicProvenanceDate and + isOrganicProvenanceDateOf object properties (with property chain axioms to + connect those properties to the OrganicProvenanceRelation). Added property + chain axioms to hasCreationDate, hasAccumulationDate, and to their inverse + properties. + 2024, December 23: added the following datatype properties: + accumulationDate, allMembersWithAccumulationDate, + someMembersWithAccumulationDate (subproperties of date); + mostMembersWithAccumulationDate (subproperty of + someMembersWithAccumulationDate); allMembersWithCreationDate and + someMembersWithCreationDate (subproperties of beginningDate); + mostMembersWithCreationDate (subproperty of someMembersWithCreationDate). + Narrowed the domain of creationDate. + 2024, December 24: added two new object properties, + studiesOrStudiedAt and isOrWasAttendedByStudent, plus a StudyAtRelation + n-ary Relation class, and studyAtRelation_role accompanyning + property. + 2025, January 17: added a + 'recordResourceSourceOfInformation' datatype property, and the + 'recordResourceHasSourceOfInformation' and + 'isSourceOfInformationOfRecordResource' object properties. + These properties replace, as concerns Record Resource, the 'source' datatype + property and the 'hasSource'/'isSourceOf' object properties, which had been + created in RC-O 0.1 and removed in RiC-O 1.0. + 2025, January 17: added a 'note' datatype + property, superproperty of the existing 'integrityNote', + 'authenticityNote' and 'physicalCharacteristicsNote' properties. + 2025, January 30: added a 'IIIFManifest' SKOS Concept, RiC-O + Documentary Form Type, to the named individuals. Made it a + concept of the vocabulary on documentary form types and a narrower concept of + FindingAid. + 2025, February 19: changed definitions so that dates for + destruction, accumulation, creation and publication could be in the future. + Added hasMigrationDate, isMigrationDateOf and migrationDate. Restricted the + domain of hasDestructionDate and of destructionDate + 2025, March 1st: fixed a bug (made isPublicationDateOf a subproperty of + isDateAssociatedWith, instead of isBeginningDateOf). Added + 'hasDerivationDate', 'isDerivationDateOf' and + 'derivationDate'. Changed the rdfs:subpropertyOf of + hasMigrationDate, isMigrationDateOf and of migrationDate accordingly. Removed + the mention of Record Resource from the rdfs:comment of isMigrationDateOf and + migrationDate. + 2025, March 4th: introduced datatype properties + rankInSequence and rankInHierarchy, expanded the range of proxyIn to any + RecordResource and tweaked the definition of it and proxyFor accordingly, + added an inverse property hasProxy for proxyFor, added two new + sub-properties proxyInRecord and proxyInRecordSet of ProxyIn, introduced 36 + object properties pertaining to use of Proxy in sequences or hierarchies, + and added one or two property chain axioms involving rico:Proxy to a few + object properties used to define sequences or + hierarchies. + 2025, March 6th: added a new object property 'isOrWasActiveAtDate' and an + inverse. + 2025, March 13: added French and Spanish labels to the object properties + that connect Date and Relation, and to the + isOrganicProvenanceDateOf/hasOrganicProvenanceDate properties. Fixed the domain + and a rdfs:subPropertyOf of isDateAssociatedWithRelation. Also added property + chain axioms to hasDerivationDate, hasMigrationDate and to their inverse + properties. + 2025, April 2nd: reviewed the new properties for Proxies, hierarchies and + sequences. Fixed a few owl:inverseOf, owl:subPropertyOf and a property chain + axiom. Modified a few details in the rdfs:comment of those properties. Added + French and Spanish labels to these new properties. + 2025, April 3rd: renamed the inverse property of 'isOrWasActiveAtDate', + adjusted the rdfs:comment of the two properties, added a chain property axiom + and French and Spanish labels. + 2025, April 5th: added hasContentWhichRepresents and + hasContentWhichMainlyRepresents properties, with domain Record + or Record Part, and the inverse properties. + 2025, April 6th: Added the sentimentOrEmotionExpressed datatype property, + with domain Record or Record Part. Added the object properties + needed to connect a Record Set, some or all of whose members have subject or + main subject a Thing, or represent a Thing, and this Thing, plus the inverse + properties. Adjusted the Spanish labels of several existing + object properties. + 2025, April 8th: Added German labels to the 107 RiC-O + classes. + 2025, May 12th: revised and updated the ontology metadata. + 2025, May 14th: added a dcat:version to the two skos:ConceptScheme named + individuals. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + When it exists, specifies the identifier and name of RiC-CM + component that corresponds to the annotated class or property. + + componente correspondiente en RiC-CM + composant correspondant dans RiC-CM + RiC-CM corresponding component + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + An annotation property for recording a possible mapping to a + component in another model or ontology + + cerca de + close to + proche de + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects an AccumulationRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation d’accumulation + desempeña el papel de la Relación de Acumulación + has the role of the Accumulation Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AccumulationRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AccumulationRelation class. It + should be used only when you have to manage instances of the AccumulationRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + Connects an ActivityDocumentationRelation to itself. It is a + property that can stand for an instance of the class when necessary, e.g. when you explore + a knowledge graph. + + a le rôle de la Relation entre activités et ressources + archivistiques + desempeña el papel de la Relación de procedencia + funcional + has the role of the Activity Documentation Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the ActivityDocumentationRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the ActivityDocumentationRelation + class. It should be used only when you have to manage instances of the + ActivityDocumentationRelation class, to connect each instance to itself, in order to be + able to infer, using OWL-RL and property paths, the two shortcuts corresponding to this + n-ary class. + + + + + + + + + + + + + + + Connects an Activity to an Agent Temporal Relation (when the + Activity is transferred from an Agent to another one) or a Mandate Relation (the Mandate + assigns the Activity to the Agent or defines it). + + actividad es contexto de relación + activité est le contexte de la relation + activity is context of relation + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects an Event to a Thing on which the Event has or had some + significant impact. + + afecta o afectaba a + affecte ou a affecté + affects or affected + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + and corresponding CM component (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "affects"). + + + RiC-R059 ('affects or affected' + relation) + + + + + + + + Connects an AgentControlRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de contrôle entre agents + desempeña el papel de la Relación de control entre + agentes + has the role of the Agent Control Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AgentControlRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AgentControlRelation class. It + should be used only when you have to manage instances of the AgentControlRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + + Inverse of 'is or was location of agent' object + property. + + agent a ou a eu pour localisation + agente tiene o tenía como localización + agent has or had location + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Added a rdfs:comment. + + + + + 2023-10-20 + Property created for RiC-0 1.0. + + + + + + + + + Connects an AgentHierarchicalRelation to itself. It is a property + that can stand for an instance of the class when necessary, e.g. when you explore a + knowledge graph. + + a le rôle de la Relation hiérarchique entre agents + desempeña el papel de la Relación jerárquica entre + agentes + has the role of the Agent Hierarchical Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AgentHierarchicalRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AgentHierarchicalRelation class. It + should be used only when you have to manage instances of the AgentHierarchicalRelation + class, to connect each instance to itself, in order to be able to infer, using OWL-RL and + property paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + Connects an AgentTemporalRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation temporelle entre agents + desempeña el papel de la Relación temporal entre + agentes + has the role of the Agent Temporal Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AgentTemporalRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AgentTemporalRelation class. It + should be used only when you have to manage instances of the AgentTemporalRelation class, + to connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + Connects an AgentToAgentRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation entre agents + desempeña el papel de la Relación entre agentes + has the role of the Agent Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AgentToAgentRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AgentToAgentRelation class. It + should be used only when you have to manage instances of the AgentToAgentRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + Connects an AppellationRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation d’appellation + desempeña el papel de la Relación de denominación + has the role of the Appellation Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AppellationRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AppellationRelation class. It + should be used only when you have to manage instances of the AppellationRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + + + Connects an Agent Temporal Relation or Mandate Relation, to an + Activity that is, either transferred from an Agent to another one, or assigned by a Mandate + to an Agent. + + as concerns activity + en ce qui concerne l’activité + en cuanto a actividad + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects an AuthorityRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation d’autorité + desempeña el papel de la Relación de control por parte de + agentes + has the role of the Authority Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AuthorityRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AuthorityRelation class. It should + be used only when you have to manage instances of the AuthorityRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + Inverse of 'authorizes' object property. + + authorized by + autorisé par + controlado por + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new mandateRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R067i ('authorizedBy' + relation) + + + + + + + + + + + + + Connects a Mandate to the Agent that the Mandate gives the + authority or competencies to act. + + authorizes + autorise + controla + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new mandateRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + fixed the CM corresponding component name. + + + RiC-R067 ('authorizes' + relation) + + + + + + + + Connects a Mandate Relation to an Agent that assigns the + Mandate. + + authorizing agent + autorisation donnée par l’agent + autorización dada por el agente + + + 2023-11-13 + Fixed the rdfs:label in Spanish. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects an AuthorshipRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de responsabilité + intellectuelle + desempeña el papel de la Relación de autoría + has the role of the Authorship Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the AuthorshipRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the AuthorshipRelation class. It should + be used only when you have to manage instances of the AuthorshipRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a ChildRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de filiation + desempeña el papel de la Relación de filiación + has the role of the Child Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the ChildRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the ChildRelation class. It should be + used only when you have to manage instances of the ChildRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + + Connects a Place to a Place that it contained in the + past. + + a contenu + contained + contenía + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels, description (rdfs:comment). + + + + + 2023-09-05 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between places (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + + + Connects a Place to a region that is or was within + it. + + contains or contained + contiene o contenía + contient ou a contenu + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name ; added a scope note (changed made in order to make + RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "contains"). + + + Use for connecting two geographical or administrative + regions. + RiC-R007 ('contains or contained' + relation) + + + + + + + + + + Connects a Place to a Place that it contains, directly or + indirectly. This is a transitive relation. + + contains transitive + contiene transitivo + contient transitif + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-05 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between places (the past + partitive relation also being added). + + + + + + + + + Connects a CorrespondenceRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation épistolaire + desempeña el papel de la Relación entre personas por + correspondencia + has the role of the Correspondence Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the CorrespondenceRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the CorrespondenceRelation class. It + should be used only when you have to manage instances of the CorrespondenceRelation class, + to connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + Connects a CreationRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de création + desempeña el papel de la Relación de creación + has the role of the Creation Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the CreationRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the CreationRelation class. It should + be used only when you have to manage instances of the CreationRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Creation Relation to the Role Type that the creator + Agent(s) has in the creation process + + creación con el rol de + création avec pour rôle + creation with role + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects a DerivationRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de dérivation + desempeña el papel de la Relación de derivación + has the role of the Derivation Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the DerivationRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the DerivationRelation class. It should + be used only when you have to manage instances of the DerivationRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a DescendanceRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de descendance + desempeña el papel de la Relación de descendencia + has the role of the Descendance Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the DescendanceRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the DescendanceRelation class. It + should be used only when you have to manage instances of the DescendanceRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Record Resource to a Thing that it describes or + described. + + décrit ou a décrit + describe o describía + describes or described + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "describes"). + + + Can be used, among other situations, for specifying that some + finding aid (a Record that has Documentary Form Type Finding Aid) describes some Record + Set. + RiC-R021 ('describes or described' + relation) + + + + + + + + + Connects a Place to another Place that it directly + contains. + + contains directly + contiene directamente + contient directement + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-05 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between places (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + + + + Inverse of 'directly precedes in sequence' object + property. + + directly follows in sequence + sigue directamente en la secuencia + suit directement dans la séquence + + + 2025-04-02 + Fixed the property chain axiom. + + + + + 2025-03-04 + Tweaked the rdfs:comment to simply refer to its inverse + property. Also added a property chain axiom relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from followsInTime. + + + + + 2023-09-08 + Added transitive super-property and both present direct and + past sequential relations as well as their respective inverse relations. + + + + + + + + + + + Inverse of 'proxy directly precedes in sequence' object property. + + directly follows proxy in sequence + sigue directamente el proxy en la secuencia + suit directement le proxy dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + Connects a Record Set to a Record or Record Set which it includes + directly. + + directly includes + inclut directement + incluye directamente + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels, description (rdfs:comment). + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between Record Sets + and their members (the possibly indirect, transitive relation, superproperty of this + one, being also added). + + + + + + + + + + + Inverse of 'proxy is directly included in' object + property. + + directly includes proxy + inclut directement le proxy + incluye directamente el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + Connects a Thing to a Thing that it precedes directly in some + sequence (not necessarily defined or characterised chronologically). + + directly precedes in sequence + precede directamente en la secuencia + précède directement dans la séquence + + + 2025-03-04 + Tweaked the rdfs:comment to try to clarify what is meant. Also + added a property chain axiom relating it to use of rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from precedesInTime. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, sequential relations between things (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + Connects a Record Resource to a Proxy of a Record Resource that it + precedes directly in some sequence (not necessarily defined or characterised + chronologically). + + directly precedes proxy in sequence + precede directamente el proxy en la secuencia + précède directement le proxy dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'documents' object property. + + documented by + est documenté par + se documenta en + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + activityDocumentationRelation_role object property. + + + + + 2023-11-07 + Made this property a subproperty of the new + isOrganicOrFunctionalProvenanceOf property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the inverse property IRI, the superproperty IRI and the + corresponding CML component name + + + RiC-R033i ('documented by' + relation) + + + + + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Activity + that generates the Record Resource or Instantiation. + + documenta + documente + documents + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + activityDocumentationRelation_role object property. + + + + + 2023-11-07 + Made this property a subproperty of the new + hasOrganicOrFunctionalProvenance property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, superproperty IRI, corresponding CM + component name (changed made in order to make RiC-O compliant with RiC-CM 0.2; the + name of this property in RiC-O 0.1 was "isDocumentationOf"). + + + To be used to describe the functional provenance of a Record + Resource or Instantiation. + RiC-R033 ('documents' + relation) + + + + + + + Connects an EventRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation impliquant un événement + desempeña el papel de la Relación con un evento + has the role of the Event Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the EventRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the EventRelation class. It should be + used only when you have to manage instances of the EventRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Record Resource to a Relation, when the first is used + for proving the existence of the second one, or for describing it. + + atteste de + evidences + evidencia + + + 2023-12-27 + Renamed the object property (was 'is source of') and reduced + its domain to Record Resource (the domain was the union of Record Resource and Agent) + and its range to Relation (the range was the union of Record Resource and Relation). + Consequently updated the superproperty, the labels, and added a + rico:RiCCMCorrespondingComponent. Same for the inverse object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Inverse of 'is evidenced by' object + property. + + + + + + + + + + + + + Connects a Position to a Group in which that Position exists or + existed, or that is defined by that Group's organizational structure. + + existe o existía en + existe ou a existé dans + exists or existed in + + + 2024-03-15 + Corrected unparseable symbol in rdfs:comment + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new positionToGroupRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "existsIn"). + + + RiC-R056 ('exists or existed in' + relation) + + + + + + + + Inverse of 'is or was expressed by' object + property. + + expresa o expresaba + expresses or expressed + exprime ou a exprimé + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "expresses"). + + + RiC-R064i ('expresses or expressed' + relation) + + + + + + + Connects a FamilyRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation familiale + desempeña el papel de la Relación familiar + has the role of the Family Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2024-03-15 + Corrected unparseable symbol in rdfs:comment + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the FamilyRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the FamilyRelation class. It should be + used only when you have to manage instances of the FamilyRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Thing to a Thing that it followed in some sequence (not + necessarily defined or characterised chronologically) in the past. + + a suivi dans la séquence + followed in sequence + seguía en la secuencia transitivo + + + 2025-03-04 + Tweaked the rdfs:comment to try to clarify what is + meant. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from followsInTime. + + + + + 2023-09-08 + Added transitive super-property and both present direct and + past sequential relations as well as their respective inverse relations. + + + + + + + + + + + + + + + Inverse of 'precedes in sequence transitive' object + property. + + follows in sequence transitive + sigue en la secuencia transitivo + suit dans la séquence transitif + + + 2025-03-04 + Tweaked the rdfs:comment to simply refer to its inverse + property. Also added a property chain axiom relating it to use of rico:Proxy. + + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from followsInTime. + + + + + 2023-09-08 + Added transitive super-property and both present direct and + past sequential relations as well as their respective inverse relations. + + + + + + + + + + + + + + + + Inverse of 'precedes in time' object property. This is a + transitive relation. + + follows in time + sigue en el tiempo a + suit dans le temps + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new temporalRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-09-22 + Property made transitive. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + RiC-R009i ('follows in time' + relation) + + + + + + + + + + + + + Inverse of 'precedes or preceded' object property. + + follows or followed + sigue o seguía a + suit ou a suivi + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new sequentialRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "follows"). + + + RiC-R008i ('follows or followed' + relation) + + + + + + + + Inverse of 'proxy precedes in sequence' object + property. + + follows proxy in sequence + sigue el proxy en la secuencia + suit le proxy dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + Connects a FunctionalEquivalenceRelation to itself. It is a + property that can stand for an instance of the class when necessary, e.g. when you explore + a knowledge graph. + + a le rôle de la Relation d’équivalence fonctionnelle + desempeña el papel de la Relación de equivalencia + funcional + has the role of the Functional Equivalence Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the FunctionalEquivalenceRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the FunctionalEquivalenceRelation + class. It should be used only when you have to manage instances of the + FunctionalEquivalenceRelation class, to connect each instance to itself, in order to be + able to infer, using OWL-RL and property paths, the two shortcuts corresponding to this + n-ary class. + + + + + + + + Connects a GroupSubdivisionRelation to itself. It is a property + that can stand for an instance of the class when necessary, e.g. when you explore a + knowledge graph. + + a le rôle de la Relation de subdivision entre groupes + d’agents + desempeña el papel de la Relación de subdivisión entre grupos de + agentes + has the role of the Group Subdivision Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the GroupSubdivisionRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the GroupSubdivisionRelation class. It + should be used only when you have to manage instances of the GroupSubdivisionRelation + class, to connect each instance to itself, in order to be able to infer, using OWL-RL and + property paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + + Connects an Instantiation to another Instantiation that was its + component in the past. + + a eu pour composant + had component + tenía como componente + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between instantiations (the + current partitive relations being also added, including a transitive + one). + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + that was its constituent in the past. + + a eu pour constituant + had constituent + tenía como elemento constitutivo + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-10-26 + Added RecordPart to the domain. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between Record and Record or + Record Part (the current partitive relations being also added, including a transitive + one). + + + + + + + + + + Connects a Thing to a Thing that was a constitutive or component + part of that Thing in the past. + + a eu pour partie + had part + tenía como parte + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between things (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + + + Connects a Group to one of its past subdivisions. + + a eu pour subdivision + had subdivision + tenía como subdivisión + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between groups (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + + Connects a past Event to one of a series of past Events that + constituted that original, broader, past Event. + + a été constitué de l’événement + had subevent + tenía como parte de evento + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express partitive relations between past Events (the partitive + relations between ongoing events being also added, including a transitive + one). + + + + + + + + + + Connects an Agent to an Agent that was hierarchically inferior in + the past. + + a eu pour subalterne + had subordinate + tenía como subordinado o subordinada a + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past subordination relations between Agents (the current + subordination relations being also added, including a transitive one). + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is accumulation date of' object + property. + + a pour date d'accumulation + has accumulation date + tiene como fecha de acumulación + + + 2024-12-19 + Connect to AccumulationRelation via a sub-property chain, and + make a sub-property of the new object property + 'hasOrganicProvenanceDate'. + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Agent that + accumulates it, be it intentionally (collecting) or not (receiving in the course of its + activities). + + est accumulé par + has accumulator + tiene como acumulador a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new accumulationRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + and corresponding CM component (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "accumulatedBy"). + + + RiC-R028 ('has accumulator' + relation) + + + + + + + + Connects an Activity to an Activity Type that categorizes + it. + + a pour type d’activité + has activity type + tiene como tipo de actividad + + + 2025-04-06 + Fixed the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Agent that + it is addressed to. + + a pour destinataire + has addressee + se dirige a + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + added a scope note + + + The identity of the addressee is (usually) evidenced by the + Record Resource or Instantiation itself. + RiC-R032 ('has addressee' + relation) + + + + + + + + + + + + + + + Inverse of 'has descendant' object property. This is a transitive + relation. + + a pour ancêtre + has ancestor + tiene como ancestro a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new descendanceRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-09-08 + made property transitive + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRIs. + + + RiC-R017i (has ancestor + relation) + + + + + + + + + + + + + + + + + + + + + Connects a Record to the Group, Person or Position that is + responsible for conceiving and formulating the information contained in the + Record. + + a pour responsable intellectuel + has author + tiene como autor a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new authorshipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-29 + Created following the addition of RiC-R079 relation in RiC-CM + 0.2 + + + To be used for a Person, Group or Position that makes any + contribution to the content of a record. Includes the Person, Group or Position in whose + name or by whose command the content may have been formulated and first instantiated (for + example the Person who signed the Record). + RiC-R079 ('has author' + relation) + + + + + + + + Inverse of 'is beginning date of' object property. + + a pour date de début + has beginning date + tiene como fecha de inicio + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R069i ('has beginning date' + relation) + + + + + + + + Inverse of 'is birth date of' object property. + + a pour date de naissance + has birth date + tiene como fecha de nacimiento + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R070i ('has birth date' + relation) + + + + + + + + Inverse of 'is birth place of' object property. + + a pour lieu de naissance + has birth place + tiene como lugar de nacimiento + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment). + + + + + 2023-10-26 + Fixed the domain of the property. + + + + + 2023-10-19 + Added for RiC-O 1.0. + + + + + + + + + + Connects an Instantiation to a Carrier Type which categorizes its + carrier. + + a pour type de support + has carrier type + tiene como tipo de soporte + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + + + + + + Connects a Person to one of their children. + + a pour enfant + has child + tiene como hijo o hija a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new childRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the inverse property IRI. + + + RiC-R018 ('has child' + relation) + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Agent that + collects it intentionally, i.e., the Agent is a collector. + + est collecté par + has collector + tiene como coleccionista a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property and super property + IRI, text definition, domain (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "collectedBy"). + + + RiC-R030 ('has collector' + relation) + + + + + + + + + + Connects an Instantiation to another Instantiation that is, + directly or indirectly, a component of that Instantiation. This is a transitive + relation. + + a pour composant transitif + has component transitive + tiene como componente transitivo + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between instantiations (the + past partitive relation also being added). + + + + + + + + + + + + + + + + + + + + + Inverse of 'proxy is constituent of' object + property. + + a pour constituant le proxy + has constituent proxy + tiene como elemento constitutivo el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-04-02 + Fixed the owl:subPropertyOf (was set to + isPartOfTransitive). + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + that is its constituent, directly or indirectly. This is a transitive + relation. + + a pour constituant transitif + has constituent transitive + tiene como elemento constitutivo transitivo + + + 2025-03-04 + Added a property chain axiom relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-10-26 + Added RecordPart to the domain. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between records and other + records or record parts (the past partitive relation also being added). + + + + + + + + + + + + + + + + + Connects a Record or a Record Part to a Content Type which + categorizes its content. + + a pour type de contenu + has content of type + tiene como tipo de contenido + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the text definition and superproperty IRI. + + + + + + + + + + + + + + + + + + Connects a Record or a Record Part to a Thing that its content + mainly represents. + + a un contenu qui représente principalement + has content which mainly represents + tiene contenido que representa principalmente + + + 2025-04-04 + Introduced in RiC-O 1.1. + + + A common use case would be to connect a photograph of a person + (a portrait) and the person represented. + + + + + + + + + + + + + + + Connects a Record or a Record Part to a Thing that its content + represents. + + a un contenu qui représente + has content which represents + tiene contenido que representa + + + 2025-04-04 + Introduced in RiC-O 1.1. + + + Can be used for visual Records or Record Parts, like + photographs, drawings, engravings, miniatures... + + + + + + + + + Connects a Record Resource to a copy of that Record + Resource. + + a pour copie + has copy + tiene como copia + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Is both a temporal and genetic relation between the two Record + Resources. + RiC-R012 ('has copy' + relation) + + + + + + + + + + + + + + + + + + + + + Inverse of 'is creation date of' object property + + a pour date de création + has creation date + tiene como fecha de creación + + + 2024-12-19 + Connect to CreationRelation via a sub-property chain, and make + a sub-property of the new object property 'hasOrganicProvenanceDate'. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R080i ('has creation date' + relation) + + + + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to an Agent that is + either responsible for all or some of the content of the Record Resource or is a + contributor to the genesis or production of an Instantiation. + + a pour créateur + has creator + tiene como creador a + + + 2023-12-29 + Added the property chain axiom, that had been + forgotten. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI and label (changed made in order to make RiC-O + compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "createdBy"). + + + Covers the definition of author in diplomatics, and any + contribution to the intellectual content of a Record Resource. + RiC-R027 ('has creator' + relation) + + + + + + + + Connects a Date to its Date Type. + + a pour type de date + has date type + tiene como tipo de fecha + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-10 + Added a rdfs:comment and a French rdfs:label. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + Inverse of 'is death date of' object property. + + a pour date de décès + has death date + tiene como fecha de muerte + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R072i ('has death date' + relation) + + + + + + + + Inverse of 'is death place of' object property. + + a pour lieu de décès + has death place + tiene como lugar de muerte + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-13 + Added a rdfs:comment. + + + + + 2023-10-26 + Fixed the domain of the property. + + + + + 2023-10-19 + Added for RiC-O v1.0. + + + + + + + + + + + + + + + Inverse of 'is derivation date of' object property. + + a pour date de dérivation + has derivation date + tiene como fecha de derivación + + + 2025-03-13 + Added the property chain axiom. + + + + + 2025-03-01 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + + + Connects a Person to one of their descendants. This is a + transitive relation. + + a pour descendant + has descendant + tiene como descendiente a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new descendanceRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-09-08 + made property transitive + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperties IRIs. + + + There may be zero to many intermediate persons, ignored or + unknown, between the two connected persons. + RiC-R017 ('has descendant' + relation) + + + + + + + + + + + + + + + Inverse of 'is destruction date of' object + property. + + a pour date de destruction + has destruction date + tiene como fecha de destrucción + + + 2025-02-19 + Changed domain. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-14 + Added a rdfs:comment; same to the inverse property. + + + + + 2023-10-12 + Renamed deletion into destruction + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + + Connects an Instantiation to another Instantiation that is its + direct component. + + a directement pour composant + has direct component + tiene directamente como componente + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between + instantiations (the possibly indirect, transitive relation, superproperty of this + one, being also added). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + that is its direct constituent. + + a directement pour constituant + has direct constituent + tiene directamente como elemento constitutivo + + + 2025-04-03 + Fixed the property chain axiom. + + + + + 2025-03-04 + Added a property chain axiom relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-10-26 + Added RecordPart to the domain. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between records and + other records or record parts (the possibly indirect, transitive relation, + superproperty of this one, being also added). + + + + + + + + + + + + + + + + + + Inverse of 'proxy is direct constituent of' object + property. + + a pour constituant direct le proxy + has direct constituent proxy + tiene como directo elemento constitutivo el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Thing to a Thing that is a direct constitutive or + component part of that Thing. + + a directement pour partie + has direct part + tiene directamente como parte + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between things (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + To be used only when the current partitive relation is direct, + without any intermediate node between the related things. + + + + + + + + + + Connects a Group to one of its direct subdivisions. + + a directement pour subdivision + has direct subdivision + tiene directamente como subdivisión + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between groups (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + Connects an ongoing Event to one of a series of Events that + directly constitute that broader, ongoing Event. + + est directement constitué de l’événement + has direct subevent + tiene directamente como parte de evento + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between ongoing + events (the possibly indirect, transitive relation, superproperty of this one, being + also added). + + + + + + + + + + Connects an Agent to an Agent that is its direct + subordinate. + + a directement pour subalterne + has direct subordinate + tiene directamente como subordinado o subordinada a + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, subordination relations between agents + (the possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + + + + + + + Connects a Record or Record Part to its Documentary Form + Type. + + a pour type d’objet informationnel + has documentary form type + tiene como tipo documental + + + 2023-12-30 + Fixed a typo in the French label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is draft of' object property. + + a pour ébauche + has draft + tiene como borrador + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-011i ('has draft' + relation) + + + + + + + + Inverse of 'is end date of' object property. + + a pour date de fin + has end date + tiene como fecha final + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R071i ('has end date' + relation) + + + + + + + + Connects an Event to an Event Type which categorizes + it. + + a pour type d’événement + has event type + tiene como tipo de evento + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + Connects a Record Resource or Instantiation to an + Extent + + a pour mesure + has extent + tiene como extensión + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French; added an xml:lang attribute + to the rdfs:comment. + + + + + 2023-08-28 + Changed the domain (was Instantiation or RecordResource) to + Thing; changed the definition accordingly. + + + + + 2020-10-28 + Object property created along with the Extent class and its + subclasses, in order to provide methods for handling extent accurately. + + + + + + + + + + Connects an Extent to an Extent Type that categorizes what is + being measured. + + a pour type de mesure + has extent type + tiene como tipo de extensión + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French; added an xml:lang attribute + to the rdfs:comment. + + + + + 2020-11-01 + Object property added along with the Extent Type + class. + + + + + + + + + + + + + + + Connects two Persons that have some type of family link, i.e. + belong to the same family. This relation is symmetric. + + a une relation familiale avec + has family association with + tiene asociación familiar con + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new familyRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, textual definition (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "hasFamilyLinkWith"). + + + Use hasOrHadMember for connecting a Family and a + Person. + RiC-R047 ('has family association with' + relation) + + + + + + + + Connects a Family to a Family Type that categorizes + it. + + a pour type de famille + has family type + tiene como tipo de familia + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + + + + + + Connects two Record Resources when there is a genetic link between + them. Genetic in this sense is as defined by diplomatics, i.e. the process by which a + Record Resource is developed. This relation is symmetric. + + a une relation génétique avec la ressource + archivistique + has genetic link to record resource + tiene vínculo de origen con recurso documental + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceGeneticRelation_role object property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use to connect two Record Resources only if it is not possible + to use a narrower, more specific, asymmetric Record Resource to Record Resource relation, + for example is original of. + RiC-R023 ('has genetic link to record resource' + relation) + + + + + + + + Connects an Identifier and an Identifier Type that categorizes + it. + + a pour type d’identifiant + has identifier type + tiene como tipo de identificador + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + 2020-10-19 + Object property added along with IdentifierType class and + isIdentifierTypeOf object property. + + + + + + + + + + + + + + + Inverse of 'is migration date of' object property. + + a pour date de migration + has migration date + tiene como fecha de migración + + + 2025-03-13 + Added the property chain axiom. + + + + + 2025-03-01 + Made this property a subproperty of the new 'hasDerivationDate' + property. + + + + + 2025-02-19 + Added in RiC-O 1.1. + + + + + + + + + + Inverse of 'is modification date of' object + property. + + a pour date de modification + has modification date + tiene como fecha de modificación + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R073i ('has modification date' + relation) + + + + + + + + Connects an Agent and (one of) its present or past Agent + Name. + + a ou a eu pour nom d’agent + has or had agent name + tiene o tenía como nombre de agente + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was "hasAgentName"). + + + + + + + + + + Inverse of 'is or was accumulation date of all members of' object + property. + + has or had all members with accumulation date + inclut ou a inclus des membres ayant tous pour date + d'accumulation + incluye o incluía miembros, todos como fecha de + acumulación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Content Type that categorizes all the + Records or Record Parts that are or were included in the Record Set. + + has or had all members with content type + inclut ou a inclus des membres ayant tous pour type de + contenu + incluye o incluía miembros, todos con tipo de contenido + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Inverse of 'is or was creation date of all members of' object + property. + + has or had all members with creation date + inclut ou a inclus des membres ayant tous pour date de + création + incluye o incluía miembros, todos con fecha de creación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + Renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R081i ('has or had all members with creation + date' relation) + + + + + + + + Connects a Record Set and a Documentary Form Type that categorizes + all the Records or Record Parts that are or were included in the Record Set. + + has or had all members with documentary form type + inclut ou a inclus des membres ayant tous pour type + incluye o incluía miembros, todos con tipo documental + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Language used by all the Records or + Record Parts that are or were included in the Record Set. + + has or had all members with language + inclut ou a inclus des membres ayant tous pour langue + incluye o incluía miembros, todos con lengua + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Legal Status that categorizes all the + Records or Record Parts that are or were included in the Record Set. + + has or had all members with legal status + inclut ou a inclus des membres ayant tous pour statut + légal + incluye o incluía miembros, todos con status jurídico + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + Connects a Record Set and a Thing that is the main subject of all + the Records or Record Parts that are or were included in the Record Set. + + has or had all members with main subject + inclut ou a inclus des membres ayant tous pour principal + sujet + incluye o incluía miembros, todos con matería principal + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Record State that categorizes all the + Records or Record Parts that are or were included in the Record Set. + + has or had all members with record state + inclut ou a inclus des membres ayant tous pour état + incluye o incluía miembros, todos con estado de + documento + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Thing that is the subject of all the + Records or Record Parts that are or were included in the Record Set. + + has or had all members with subject + inclut ou a inclus des membres ayant tous pour sujet + incluye o incluía miembros, todos con matería + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Type to which all the Records or + Record Parts that are or were included in the Record Set belong. + + has or had all members with type + inclut ou a inclus des membres ayant tous pour type + incluye o incluía miembros, todos con tipo + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a record resource to one of its analogue instantiations, + whether it exists or has been lost or destroyed. + + a ou a eu pour instanciation analogique + has or had analogue instantiation + tiene o tenía como instanciación analogica + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Added the property. + + + In some situations, it may be useful or necessary to connect a + record resource to an analogue instantiation that no longer exists or has been + lost. + + + + + + + + + + + + + Connects a Thing to an Appellation that is or was used for + designating it. + + a ou a eu pour appellation + has or had appellation + tiene o tenía como denominación + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new appellationRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was "hasAppellation"). + + + + + + + + + + + + + + + Connects an Agent to a Thing over which the Agent has or had some + kind of authority. + + a ou a eu autorité sur + has or had authority over + tiene o tenía control sobre + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new authorityRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasAuthorityOver"). + + + Use only if it is not possible to specify a narrower authority + relation, for example is or was owner of. + RiC-R036 ('has or had authority over' + relation) + + + + + + + + + Connects an Instantiation to one of its present or past component + instantiations. + + a ou a eu pour composant + has or had component + tiene o tenía como componente + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasComponent"). + + + RiC-R004 ('has or had component' + relation) + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to a Record or Record part that + is or was a constituent of that Record or Record Part. + + a ou a eu pour constituant + has or had constituent + tiene o tenía como elemento constitutivo + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Added Record Part to the domain. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasConstituent"). + + + RiC-R003 ('has or had constituent' + relation) + + + + + + + + + + + + + + Inverse of 'is or was controller of' object + property. + + est ou a été contrôlé par + has or had controller + tiene o tenía como controlador + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new agentControlRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "controlledBy"). + + + RiC-R041i ('has or had controller' + relation) + + + + + + + + Connects a Physical Location to its past or present coordinates in + a reference system. + + a ou a eu pour coordonnées + has or had coordinates + tiene como coordenadas de lugar + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + fixed the English label (added the past tense.) + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was "hasCoordinates"). + + + + + + + + + + Connects a Corporate Body to a Corporate Body Type which + categorizes or categorized it. + + a ou a eu pour type de collectivité + has or had corporate body type + tiene o tenía como tipo de institucion + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was + "hasCorporateBodyType"). + + + + + + + + + + + + + + + Connects two Persons that correspond or have corresponded with + each other. This relation is symmetric. + + a ou a eu pour correspondant + has or had correspondent + tiene o tenía como correspondiente + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new correspondenceRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, textual definition (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "hasCorrespondent"). + + + RiC-R052 ('has or had correspondent' + relation) + + + + + + + + + + + + + + + Connects a Person or a Group to a Demographic Group to which it + belongs or belonged. + + a ou a eu pour groupe démographique + has or had demographic group + tiene o tenía como grupo demográfico + + + 2024-10-10 + Changed the French and Spanish labels (replaced 'catégorie' and + 'categoria' with 'groupe' and 'grupo'). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + domain (the name of this property in RiC-O 0.1 was + "belongsToDemographicGroup"). + + + + + + + + + + + + + + + + Connects an instantiation to an instantiation that is derived from + it, whether it exists or has been lost or destroyed. + + a ou a eu pour instanciation dérivée + has or had derived instantiation + tiene o tenía como instanciación derivada + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new derivationRelation_role + object property. + + + + + 2023-08-29 + Updated the IRI, inverse property, definition, labels and + RiCMCorrespondingComponent, and added a skos:scopeNote; this in order to make the + specification compliant with RiC-CM 1.0. The name of the property in RiC-O 0.2 was + 'has derived instantiation'. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + In some situations, it may be useful or necessary to connect an + instantiation to an instantiation that was derived from it but no longer exists or or has + been lost. + RiC-R014 ('has or had derived instantiation' + relation) + + + + + + + + Connects a record resource to one of its digital instantiations, + whether it exists or has been lost or destroyed. + + a ou a eu pour instanciation numérique + has or had digital instantiation + tiene o tenía como instanciación digital + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Added the property. + + + This property can be used, among other cases, when you want to + convert findings aids encoded in EAD/XML and need a simple and accurate migration path to + process dao or daogrp EAD elements. Also, in some situations, it may be useful or necessary + to connect a record resource to a digital instantiation that no longer exists or or has + been lost. + + + + + + + + + + + + + + + Inverse of 'is or was employer of' object property. + + a ou a eu pour employeur + has or had employer + tiene o tenía como empleador + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Changed the domain and range of the property. Added a + rdfs:comment. Removed the isOrWasMemberOf super-property. + + + + + 2023-10-19 + Added for RiC-O 1.0. + + + + + 2023-10-13 + Fixed the lang of the French label. + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is or was holder of' object property. + + est ou a été détenu par + has or had holder + tiene o tenía como conservador a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceHoldingRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "heldBy"). + + + RiC-R039i ('has or had holder' + relation) + + + + + + + + Connects a Thing to one of its past or present + Identifiers. + + a ou a eu pour identifiant + has or had identifier + tiene o tenía como identificador + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "identifiedBy"). + + + + + + + + + + + + + + + Connects a Record Resource to an Instantiation, which either may + exist or may have been lost or destroyed. + + a ou a eu pour instanciation + has or had instantiation + tiene o tenía como instanciación + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceToInstantiationRelation_role object property. + + + + + 2023-08-29 + Updated the IRI, inverse property, definition, labels and + RiCMCorrespondingComponent, and added a skos:scopeNote; this in order to make the + specification compliant with RiC-CM 1.0. The name of the property in RiC-O 0.2 was + 'has instantiation'. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the inverse property IRI. + + + In some situations, it may be useful or necessary to connect a + record resource to an instantiation that no longer exists or or has been lost, when some of + its characteristics are known from some source, like an old finding aid. + RiC-R025 ('has or had instantiation' + relation) + + + + + + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is or was holder of intellectual property rights of' + object property. + + a ou a eu comme détenteur des droits de propriété + intellectuelle + has or had intellectual property rights holder + tiene o tenía como titular de derechos de propiedad intelectual + a + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + intellectualPropertyRightsRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "intellectualPropertyRightsHeldBy"). + + + RiC-R040i ('has or had intellectual property rights + holder ' relation) + + + + + + + + Inverse of 'is or was jurisdiction of' object + property. + + a ou a eu pour ressort + has or had jurisdiction + tiene o tenía como jurisdicción + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made subproperty of new property isAgentAssociatedWithPlace + instead of its parent isAssociatedWithPlace. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasJurisdiction"). + + + RiC-R076i ('has or had jurisdiction' + relation) + + + + + + + + + + + + + + + + Connects an Agent, Record or Record Part to a Language that uses + or used it. + + a ou a eu pour langue + has or had language + tiene o tenía como lengua + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2023-07-25 + changed the definition to be consistent with the inverse + relation. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (the name of this property in RiC-O 0.1 was "hasLanguage"). + + + + + + + + + + + + + + + Inverse of 'is or was leader of' object property. + + a ou a eu pour dirigeant + has or had leader + tiene o tenía como líder a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new leadershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "ledBy"). + + + RiC-R042i ('has or had leader' + relation) + + + + + + + + + + + + + + + + Connects an Agent or Record Resource to a Legal Status which + categorized or categorizes it. + + a ou a eu pour statut légal + has or had legal status + tiene o tenía como status jurídico + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (the name of this property in RiC-O 0.1 was "hasLegalStatus"). + + + + + + + + + + Inverse of 'is or was location of' object property. + + a ou a eu pour localisation + has or had location + tiene o tenía como localización + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasLocation"). + + + RiC-R075i ('has or had location' + relation) + + + + + + + + Connects a Record Resource to a Thing that is or was its main + subject. + + a ou a eu pour sujet principal + has or had main subject + tiene o tenía como matería principal + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasMainSubject"). + + + Use for specifying, for example, that a Record Set of type + personal file has main subject some person, which would help end users to retrieve the main + archival resources about this person. + RiC-R020 ('has or had main subject' + relation) + + + + + + + + + + + + + + + + + + + + Inverse of 'is or was manager of' object property. + + a ou a eu pour gestionnaire + has or had manager + tiene o tenía como gestor a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new managementRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "managedBy"). + + + RiC-R038i ('is or was managed by' + relation) + + + + + + + + Connects a Mandate to a Mandate Type that categorized or + categorizes it. + + a ou a eu pour type de mandat + has or had mandate type + tiene o tenía como tipo de norma + + + 2023-11-13 + Added the property, and its inverse one, following the creation + of the MandateType class, that corresponds to the new Mandate Type attribute in + RiC-CM 1.0. + + + + + + + + + + + + + + + Connects a Group to a Person that is or was a member of that + Group. + + a ou a eu pour membre + has or had member + tiene o tenía como miembro a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new membershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasMember"). + + + RiC-R055 ('has or had member' + relation) + + + + + + + + Inverse of 'is or was accumulation date of most members of' object + property. + + has or had most members with accumulation date + inclut ou a inclus des membres dont la plupart ont pour date + d'accumulation + incluye o incluía miembros, la mayoría de los cuales con fecha de + acumulación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + Inverse of 'is or was creation date of most members of' object + property. + + has or had most members with creation date + inclut ou a inclus des membres dont la plupart ont pour date de + création + incluye o incluía miembros, la mayoría de los cuales con fecha de + creación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + Renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label + + + + + 2023-10-10 + Made this property a subproperty of + hasSomeMembersWithCreationDate. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R083i ('has or had most members with creation + date' relation) + + + + + + + + Connects a Thing to one of its past or present + Names. + + a ou a eu pour nom + has or had name + tiene o tenía como nombre + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition, super property IRI (the name of this property in RiC-O 0.1 was + "hasName"). + + + + + + + + + + Connects a Person to an Occupation Type that categorized or + categorizes his/her occupation (profession, trade or craft). + + a ou a eu pour type d’occupation + has or had occupation of type + tiene o tenía como tipo de ocupación + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition, super property IRI (the name of this property in RiC-O 0.1 was + "hasOccupationOfType"). + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is or was owner of' object property. + + a ou a eu pour propriétaire + has or had owner + tiene o tenía como poseedor a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new ownershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "ownedBy"). + + + RiC-R037i ('has or had owner' + relation) + + + + + + + + + + + + + Connects a Thing to a constitutive or component part of that + Thing. + + a ou a eu pour partie + has or had part + tiene o tenía como parte + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new wholePartRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasPart"). + + + Use to connect a Thing to another Thing that is or was a part of + the whole Thing only if it is not possible to use a narrower, more specific whole/part + relation, for example has or had constituent. The end of existence of a whole/part relation + may affect the integrity or nature of the domain entity. + RiC-R002 ('has or had part' + relation) + + + + + + + + Connects an Event to a Thing that is or was actively or passively + involved in it. + + a ou a eu pour participant + has or had participant + tiene o tenía como participante + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "involves"). + + + RiC-R058 ('has or had participant' + relation) + + + + + + + + Connects a Place to one of its past or present Physical + Location. + + a ou a eu pour localisation physique + has or had physical location + tiene o tenía como localización física + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-02-01 + Property made a subproperty of + 'isPlaceAssociatedWith". + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was + "hasPhysicalLocation"). + + + + + + + + + + Connects a Place to one of its past or present + names. + + a ou a eu pour nom de lieu + has or had place name + tiene o tenía como nombre de lugar + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "hasPlaceName"). + + + + + + + + + + Connects a Place to a Place Type that categorized or categorizes + it. + + a ou a eu pour type de lieu + has or had place type + tiene o tenía como tipo de lugar + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "hasPlaceType"). + + + + + + + + + + + + + + + Inverse of 'exists or existed in' object property. + + has or had position + occupe ou a occupé le poste + tiene o tenía como puesto + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new positionToGroupRelation_role + object property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut (the inverse property already was). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "hasPosition"). + + + RiC-R056i ('has or had position' + relation) + + + + + + + + Connects a Rule to a Rule Type that categorized or categorizes + it. + + a ou a eu pour type de règle + has or had rule type + tiene o tenía como tipo de regla + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "hasRuleType"). + + + + + 2020-10-19 + Object property added along with RuleType class and + isRuleTypeOf object property. + + + + + + + + + + + Connects a Record Set and a Thing that is the main element + represented by the content of some of the members of the Records or Record Parts that are + or were included in the Record Set. + + has or had some members whose content mainly represents + inclut ou a inclus des membres dont le contenu représente + principalement + incluye o incluía algunos miembros cuyo contenido representa + principalmente + + + 2025-04-06 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Thing that is represented by the + content of some of the Records or Record Parts that are or were included in the Record + Set. + + has or had some members whose content represents + inclut ou a inclus des membres dont le contenu + représente + incluye o incluía algunos miembros cuyo contenido + representa + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Inverse of 'is or was accumulation date of some members of' object + property. + + has or had some members with accumulation date + inclut ou a inclus des membres ayant pour date + d'accumulation + incluye o incluía algunos miembros con fecha de + acumulación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Content Type that categorizes some of + the Records or Record Parts that are or were included in the Record Set. + + has or had some members with content type + inclut ou a inclus des membres ayant pour type de + contenu + incluye o incluía algunos miembros con tipo de + contenido + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Inverse of 'is or was creation date of some members of' object + property. + + has or had some members with creation date + inclut ou a inclus des membres ayant pour date de + création + incluye o incluía algunos miembros con fecha de + creación + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + Renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R082i ('has or had some members with creation + date' relation) + + + + + + + + Connects a Record Set and a Documentary Form Type that categorizes + some of the Records or Record Parts that are or were included in the Record + Set. + + has or had some members with documentary form type + inclut ou a inclus des membres ayant pour type de + document + incluye o incluía algunos miembros con tipo documental + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-03-15 + Fixed a typo in IRI: changed 'with' to 'With'. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Language used by some of the Records + or Record Parts that are or were included in the Record Set. + + has or had some members with language + inclut ou a inclus des membres ayant pour langue + incluye o incluía algunos miembros con lengua + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Legal Status that categorizes some of + the Records or Record Parts that are or were included in the Record Set. + + has or had some members with legal status + inclut ou a inclus des membres ayant pour statut légal + incluye o incluía algunos miembros con status jurídico + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Thing that is the main subject of some + of the Records or Record Parts that are or were included in the Record Set. + + has or had some members with main subject + inclut ou a inclus des membres ayant pour sujet + principal + incluye o incluía algunos miembros con matería + principal + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Record State that categorizes some of + the Records or Record Parts that are or were included in the Record Set. + + has or had some members with record state + inclut ou a inclus des membres ayant pour état + incluye o incluía algunos miembros con estado de + documento + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record Set and a Thing that is the subject of some of + the Records or Record Parts that are or were included in the Record Set. + + has or had some members with subject + inclut ou a inclus des membres ayant pour sujet + incluye o incluía algunos miembros con matería + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Record Set and a Type to which some of the Records or + Record Parts that are or were included in the Record Set belong. + + has or had some members with type + inclut ou a inclus des membres ayant pour type + incluye o incluía algunos miembros con tipo + + + 2025-04-06 + Adjusted the Spanish label. + + + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + + + + + Connects two Persons who are or were married. This relation is + symmetric. + + a ou a eu pour conjoint + has or had spouse + tiene o tenía como cónyuge a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new spouseRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "hasSpouse"). + + + RiC-R049 ('has or had spouse' + relation) + + + + + + + + + + + + + Inverse of 'has or had teacher' object property. + + a ou a eu pour étudiant + has or had student + tiene o tenía como estudiante a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new teachingRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "hasStudent"). + + + RiC-R053i ('has or had student' + relation) + + + + + + + + + + + + + + Connects a Group to one of its present or past + subdivisions. + + a ou a eu pour subdivision + has or had subdivision + tiene o tenía como subdivisión + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + groupSubdivisionRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRIs (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "hasSubdivision"). + + + RiC-R005 ('has or had subdivision' + relation) + + + + + + + + + + Connects an Event to one of a series of Events that constitute the + original, broader, past or ongoing Event. + + est ou a été constitué de l’événement + has or had subevent + tiene o tenía como parte de evento + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "hasSubEvent"). + + + Since an Activity is a kind of Event, this Relation can also be + used for Activity. + RiC-R006 ('has or had subevent' + relation) + + + + + + + + Connects a Record Resource to a Thing that is or was its + subject. + + a ou a eu pour sujet + has or had subject + tiene o tenía como materia + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "hasSubject"). + + + The subject of a Record Set may be affected if the Record Set + loses some of the Records. + RiC-R019 ('has or had subject' + relation) + + + + + + + + + + + + + Connects an Agent to an Agent that is hierarchically + inferior. + + a ou a eu pour subalterne + has or had subordinate + tiene o tenía como subordinado o subordinada a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + agentHierarchicalRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "isHierarchicallySuperiorTo"). + + + The hierarchical relation can be an authority relation, or a + whole/part relation between two Agents. + RiC-R045 ('has or had subordinate ' + relation) + + + + + + + + + + + + + Connects a Person to another Person who is or was their + teacher. + + a ou a eu pour enseignant + has or had teacher + tiene o tenía como profesor(a) a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new teachingRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "hasTeacher"). + + + RiC-R053 ('has or had teacher' + relation) + + + + + + + + + + + + + + + + Connects a Record Resource, Instantiation or Rule to a title that + is or was used for designating it. + + a ou a eu pour intitulé + has or had title + tiene o tenía como título + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "hasTitle"). + + + + + + + + + + + + + + + Connects a Thing to a Type that categorizes or categorized + it. + + a ou a eu pour type + has or had type + tiene o tenía como tipo + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new typeRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (the name of this property in RiC-O 0.1 was "belongsToCategory"). + + + + + + + + + + + + + + + Connects two Agents that have or had some type of work relation in + the course of their activities. This relation is symmetric. + + a ou a eu une relation professionnelle avec + has or had work relation with + tiene o tenía relación profesional con + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new workRelation_role object + property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, text definition (changed made in order + to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "hasWorkRelationWith"). + + + RiC-R046 ('has or had work relation with' + relation) + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to an Agent that + creates or accumulates it, receives it, or sends it, or to an Activity that generates + it. + + a pour provenance organique ou fonctionnelle + has organic or functional provenance + tiene como procedencia orgánica o funcional + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + organicOrFunctionalProvenanceRelation_role object property. + + + + + 2023-11-07 + Property added as a superproperty of hasProvenance and + documents, along with its inverse property. Shortcut also added. + + + + + + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to an Agent that + creates or accumulates the Record Resource, receives it, or sends it. + + a pour provenance organique + has organic provenance + tiene como procedencia orgánica + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + organicProvenanceRelation_role object property. + + + + + 2023-11-07 + Made this property a subproperty of the new + hasOrganicOrFunctionalProvenance property. Renamed it to make things clearer. + Adjusted its labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + This is the most general organic provenance relation. Use it to + connect a Record Resource or Instantiation with an Agent only if it is not possible to use + a narrower, more specific relation, for example has creator. + RiC-R026 ('has provenance' + relation) + + + + + + + + + + + + + + + + + + + + Inverse of 'is date associated with organic provenance of' object + property. + + a pour date de provenance organique + has organic provenance date + tiene como fecha de procedencia orgánica + + + 2025-03-13 + Added French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'is original of' object property. + + a pour original + has original + tiene como original + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R010i ('is original of' + relation) + + + + + + + + + Connects a Thing to a Thing that is, directly or indirectly, a + constitutive or component part of that Thing. This is a transitive relation. + + a pour partie transitif + has part transitive + tiene como parte transitivo + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between things (the past + partitive relation also being added). + + + To be used, either to infer, then query or browse, relations + from existing direct 'hasDirectPart' relations between things, or to record a current + partitive relation when you do not know if there are intermediate nodes between the related + things. + + + + + + + + Connects an Instantiation to a Production Technique Type that + categorizes its production technique. + + a pour type de technique de production + has production technique type + tiene como técnica de producción + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + Inverse of 'proxy for' object property. + + a pour proxy + has proxy + tiene como proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1 + + + + + + + + + + Inverse of 'is publication date of' object + property. + + a pour date de publication + has publication date + tiene como fecha de publicación + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + Connects a Record resource to an Agent who published + it. + + a pour éditeur + has publisher + tiene como editor(a) a + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (the name of this + property in RiC-O 0.1 was "publishedBy"). + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Agent that + receives it in the course of the Agent's activities. + + est reçu par + has receiver + tiene como receptor(a) a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super property + IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "receivedBy"). + + + RiC-R029 ('has receiver' + relation) + + + + + + + + Connects a Record Set to a Record Set Type that categorizes + it. + + a pour type d’ensemble d’objets informationnels + has record set type + tiene como tipo de agrupación documental + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + + + + + + + + Connects a Record or Record Part to a Record State that + categorizes its state. + + a pour état + has record state + tiene como estado de documento + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Changed the IRI (hasRecordResourceState changed to + hasRecordState), label, textual definition and domain (RecordResource replaced by + Record or Record Part). + + + + + + + + + + + Connects a Record Resource to a reply, usually in the form of + correspondence. + + a pour réponse + has reply + tiene como contestación + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "isRepliedToBy"). + + + RiC-R013 ('has reply' + relation) + + + + + + + + Connects an Instantiation to a Representation Type that + categorizes its representation type. + + a pour type de représentation + has representation type + tiene como tipo de grabación + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + + + + + + + + Connects a Record Resource or an Instantiation to the Agent that + sends it + + a pour expéditeur + has sender + tiene como remitente a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + The identity of the sender is (usually) evidenced by the Record + Resource or Instantiation itself. + RiC-R031 ('has sender' + relation) + + + + + + + + + + + + + Connects two Persons who are siblings. This relation is + symmetric. + + a pour frère ou sœur + has sibling + tiene como hermano o hermana a + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new siblingRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + RiC-R048 ('has sibling' + relation) + + + + + + + + + + + Connects a Group to another Group that is one of its direct or + indirect subdivisions. This is a transitive relation. + + a pour subdivision transitif + has subdivision transitive + tiene como subdivisión transitivo + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-25 + Fixed the French label. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between groups (the past + partitive relation also being added). + + + + + + + + + + + + Connects an ongoing Event to one of a series of Events that + directly or indirectly constitute that broader, ongoing Event. This is a transitive + relation. + + est constitué de l’événement transitif + has subevent transitive + tiene como parte de evento transitivo + + + 2024-10-21 + Fixed the Spanish label. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express partitive relations between ongoing events (the past + partitive relation also being added). + + + + + + + + + + + Connects an Agent to an Agent that is directly or indirectly + hierarchically inferior. This is a transitive relation. + + a pour subalterne transitif + has subordinate transitive + tiene como subordinado o subordinada a transitivo + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current subordination relations between agents (the past + subordination relation also being added). + + + + + + + + + + + + + + + + Connects an Agent to another Agent that succeeds it + chronologically. + + a pour successeur + has successor + tiene como sucesor(a) a + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new agentTemporalRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI and label (changed made in order to make RiC-O + compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "isAntecedentOf"). + + + There may be zero to many intermediate Agents, ignored or + unknown, between the two connected Agents. Can be used when there is a transfer of function + from the first Agent to the second Agent. + RIC-R016 ('has successor' + relation) + + + + + + + + Connects a Title and a Title Type that categorizes + it. + + a pour type de titre + has title type + tiene como tipo de título + + + 2024-10-04 + Object property added along with TitleType class and + isTitleTypeOf object property. + + + + + + + + + + Connects an Extent to a Unit Of Measurement + + a pour unité de mesure + has unit of measurement + tiene como unidad de medida + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French; added an xml:lang attribute + to the rdfs:comment. + + + + + 2020-10-28 + Object property created along with Extent and UnitOfMeasurement + classes, in order to provide methods for handling extent accurately. + + + + + + + + + + + + Inverse of 'is within' object property. + + contient + has within + tiene dentro + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + made this property a subproperty of both isDateAssociatedWith + and isAssociatedWithdate, and of hasOrHadPart. + + + + + 2023-10-12 + Added the property + + + RiC-R085i ('has within' + relation) + + + + + + + + + + + + + + + + Connects a Record Set to a Record or Record Set which it included + in the past. + + a inclus + included + incluía + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-13 + Added a French label. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between Record Sets and their + members (the current partitive relations being also added, including a transitive + one). + + + + + + + + + + + + + + + + + + Connects a Record Set to a Record or Record Set it aggregates, or + aggregated in the past. + + includes or included + inclut ou a inclus + incluye o incluía + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2023-06-05 + Made this object property a subproperty of + hasOrHadPart. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "includes"). + + + A Record or Record Set can be aggregated in one or many Record + Sets simultaneously or through time. + RiC-R024 ('includes or included' + relation) + + + + + + + + + + + + Inverse of 'proxy is included in' object property. + + includes proxy + inclut le proxy + incluye el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-04-02 + Fixed the owl:inverseOf (was set to + isPartOfTransitive). + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + Connects a Record Set to a Record or Record Set which it includes + directly or indirectly. This is a transitive relation. + + includes transitive + inclut transitif + incluye transitivo + + + 2025-03-04 + Added a property chain axiom relating it to use of + rico:Proxy + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-13 + Added two labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between Record Sets and their + members (the past partitive relation also being added). + + + + + + + + + Connects an InstantiationToInstantiationRelation to itself. It is + a property that can stand for an instance of the class when necessary, e.g. when you + explore a knowledge graph. + + a le rôle de la Relation entre instanciations + desempeña el papel de la Relación entre instanciaciones + has the role of the Instantiation to Instantiation + Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the InstantiationToInstantiationRelation + rolified class. Declared it as reflexive. Declared it(s) + superproperty(ies). + + + This property "rolifies" the + InstantiationToInstantiationRelation class. It should be used only when you have to manage + instances of the InstantiationToInstantiationRelation class, to connect each instance to + itself, in order to be able to infer, using OWL-RL and property paths, the two shortcuts + corresponding to this n-ary class. + + + + + + + Connects an IntellectualPropertyRightsRelation to itself. It is a + property that can stand for an instance of the class when necessary, e.g. when you explore + a knowledge graph. + + a le rôle de la Relation de propriété intellectuelle + desempeña el papel de la Relación de propiedad + intelectual + has the role of the Intellectual Property Rights + Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the IntellectualPropertyRightsRelation + rolified class. Declared it as reflexive. Declared it(s) + superproperty(ies). + + + This property "rolifies" the IntellectualPropertyRightsRelation + class. It should be used only when you have to manage instances of the + IntellectualPropertyRightsRelation class, to connect each instance to itself, in order to + be able to infer, using OWL-RL and property paths, the two shortcuts corresponding to this + n-ary class. + + + + + + + + + Connects two Dates that overlap. This relation is + symmetric. + + cruza + intersecte + intersects + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + made this property a subproperty of + isAssociatedWithdate. + + + + + 2023-10-12 + Added the property + + + RiC-R086 ('intersects' + relation) + + + + + + + + + + + + + + + + + + + + Connects a Date to a Record Resource or Instantiation that was or + will be accumulated at this Date. + + es fecha de acumulación de + est la date d'accumulation de + is accumulation date of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Connect to AccumulationRelation via a sub-property chain, and + make a sub-property of the new 'isOrganicProvenanceDateOf' object + property. + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + When used for a Record Set (e.g. a file), it is the accumulation + date of the Record Set itself rather than the accumulation date of the members of the + Record Set. To record the accumulation date of members of the Record Set, use 'is or was + accumulation date of all members of', 'is or was accumulation date of most members of’ or + 'is or was accumulation date of some members of’. + + + + + + + + + + + + + + + + + + + + Inverse of 'has accumulator' object property. + + accumule + es acumulador(a) de + is accumulator of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new accumulationRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + and corresponding CM component (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "accumulates"). + + + RiC-R028i ('is accumulator of' + relation) + + + + + + + + Connects an Activity Type to an Activity that it + categorizes. + + es tipo de actividad de + est le type d’activité de + is activity type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + + + + + + + + Inverse of 'has addressee' object property. + + es destino de + est le destinataire de + is addressee of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-032i ('is addressee of' + relation) + + + + + + + + + + + + + Connects two Agents. This object property is + symmetric. + + agente está asociado con agente + est un agent associé à l’agent + is agent associated with agent + + + 2023-11-25 + Fixed the French label. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new agentToAgentRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use only if it is not possible to specify a narrower Agent to + Agent relation, for example has or had work relation with. + RiC-R044 ('is agent associated with agent' + relation) + + + + + + + + Inverse of 'is place associated with agent' object + property. + + agente está asociado con lugar + est un agent associé au lieu + is agent associated with place + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Added a rdfs:comment. + + + + + 2023-10-19 + Added for RiC-O v1.0. + + + + + + + + + + Inverse of 'is date associated with' object + property. + + está asociado con fecha + est associé à la date + is associated with date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R068i ('is associated with date' + relation) + + + + + + + + + + + + + Inverse of 'is event associated with' object + property. + + está asociado con evento + est associé à l’événement + is associated with event + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new eventRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R057i ('is associated with event' + relation) + + + + + + + + + + + + + Inverse of 'is place associated with' object + property. + + está asociado con lugar + est associé au lieu + is associated with place + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new placeRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R074i ('is associated with place' + relation) + + + + + + + + + + + + + Inverse of 'is rule associated with' object + property. + + está asociado con regla + est associé à la règle + is associated with rule + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new ruleRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R062i ('is associated with rule' + relation) + + + + + + + + + + + + + + + + + + + + + Inverse of 'has author' object property. + + es autor(a) de + est le responsable intellectuel de + is author of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new authorshipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-29 + Created following the addition of RiC-R079 relation in RiC-CM + 0.2 + + + RiC-R079i ('is author of' + relation) + + + + + + + + Connects an Agent that assigns the Mandate, to a Mandate + Relation. + + es el agente autorizador en la relación normativa + est l’agent donnant l’autorisation dans la relation impliquant un + mandat + is authorizing agent in mandate relation + + + 2023-11-13 + Added a new rdfs:label in French and fixed the Spanish + label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + + + + + + Connects a Date to a Thing that came into existence on that + Date. + + es fecha de inicio de + est la date de début de + is beginning date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R069 ('is beginning date of' + relation) + + + + + + + + Connects a Date to a Person that was born on that + Date. + + es fecha de nacimiento de + est la date de naissance de + is birth date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R070 ('is birth date of' + relation) + + + + + + + + Connects a Place to a Person who was born in that + Place. + + es lugar de nacimiento de + est le lieu de naissance de + is birth place of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment). + + + + + 2023-10-26 + Fixed the range. + + + + + 2023-10-19 + Added for RiC-O v1.0. + + + + + + + + + + Connects a Carrier Type to an Instantiation whose carrier it + categorizes. + + es tipo de soporte de + est le type de support de + is carrier type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + Changed the super property IRI. + + + + + + + + + + + + + + + Inverse of 'has child' object property. + + es hijo o hija de + est l’enfant de + is child of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new childRelation_role object + property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut (the inverse property already was). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI and label (changed made in order to make RiC-O + compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "hasParent"). + + + RiC-R018i ('is child of' + relation) + + + + + + + + + + + + + + + Inverse of 'has collector' object property. + + collecte + es coleccionista de + is collector of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property and super property + IRI, text definition, domain (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "collects"). + + + RiC-R030i ('is collector of' + relation) + + + + + + + + + + Connects an Instantiation to another Instantiation of which it is, + directly or indirectly, a component. This is a transitive relation. + + es componente de transitivo + est un composant de transitif + is component of transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between instantiations (the + past partitive relation also being added). + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to a Proxy of a Record or Record + Part of which it is a constituent, directly or indirectly. + + es elemento constitutivo del proxy + est le constituant du proxy + is constituent of proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + of which it is a constituent, directly or indirectly. This is a transitive + relation. + + es elemento constitutivo de transitivo + est le constituant de transitif + is constituent of transitive + + + 2025-03-04 + Added two property chain axioms relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-10-26 + Added RecordPart to the range. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between records and other + records or record parts (the past partitive relation also being added). + + + + + + + + + + + + Connects a Place to a Place that is, directly or indirectly, + contained by it. This is a transitive relation. + + está contenido en transitivo + est contenu par transitif + is contained by transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between places (the past + partitive relation also being added). + + + + + + + + + + + + + + + + + Connects a Content Type to a Record or Record Part whose content + it categorizes. + + es tipo de contenido de + est le type de contenu de + is content type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the text definition and super property IRI. + + + + + + + + + + + Inverse of 'has copy' object property. + + es copia de + est la copie de + is copy of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R012i ('is copy of' + relation) + + + + + + + + + + + + + + + + + + + + + Connects a Date to a Record Resource or Instantiation that was or + will be created at this Date. + + es fecha de creación de + est la date de création de + is creation date of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Connect to CreationRelation via a sub-property chain, and make + a sub-property of the new 'isOrganicProvenanceDateOf' object property. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + When used for a Record Set (e.g. a file), it is the creation + date of the Record Set itself rather than the creation date of the members of the Record + Set. To record the creation date of members of the Record Set, use 'is or was creation date + of all members of', 'is or was creation date of most members of’ or 'is or was creation + date of some members of’. + RiC-R080 ('is creation date of' + relation) + + + + + + + + + + + + + + + + + + + + Inverse of 'has creator' object property. + + es creador(a) de + est le créateur de + is creator of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new creationRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + change the inverse property IRI. + + + RiC-R027i ('is creator of + 'relation') + + + + + + + + Connects a Date to a Thing with whose existence and lifecycle the + Date is associated. + + es fecha asociada con + est une date associée a + is date associated with + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use to connect a date and an entity only if it is not possible + to specify a narrower date relation, for example, is beginning date of. + RiC-R068 ('is date associated with' + relation) + + + + + + + + + Connects a Date to an n-ary Relation. + + es fecha asociada con la relación + est une date associée à la relation + is date associated with Relation + + + 2025-03-13 + Added French and Spanish labels; fixed the first + rdfs:subPropertyOf and the rdfs:domain. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + + + Connects a Date to an Event that occurred at this Date. An event + or activity can be recurrent, which implies that one single event can be related to several + dates. + + es fecha de ocurrencia de + est la date d'occurrence de + is date of occurrence of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-17 + Made this property a subproperty of + isAssociatedWithEvent + + + + + 2023-10-13 + Renamed the property to correct a spelling mistake. Also + corrected the annotations when necessary. + + + + + 2023-10-12 + Added the property + + + RiC-R084 ('is date of occurrence of' + relation) + + + + + + + + Connects a Date Type to a Date that it categorizes. + + es tipo de fecha de + est le type de date de + is date type of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-10 + Added a rdfs:comment and a French rdfs:label. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + Connects a Date to a Person who died on that Date. + + es fecha de muerte de + est la date de décès de + is death date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R072 ('is death date of' + relation) + + + + + + + + Connects a Place to a Person who died in that + Place. + + es lugar de muerte de + est le lieu de décès de + is death place of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment). + + + + + 2023-10-26 + Fixed the range and the French label of the + property. + + + + + 2023-10-19 + Property added to RiC-0 1.0 + + + + + + + + + + + + + + + Connects a Date to an Instantiation from which a new Instantiation + was or will be derived at that Date. + + es fecha de derivación de + est la date de dérivation de + is derivation date of + + + 2025-03-13 + Added the property chain axiom. + + + + + 2025-03-01 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + + + Connects a Date to a Record Resource or Instantiation that was or + will be destructed at that Date. + + es fecha de destrucción de + est la date de destruction de + is destruction date of + + + 2025-02-19 + Changed definition (added "or will be") and range. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-14 + Added a rdfs:comment; same to the inverse property. + + + + + 2023-10-12 + Renamed deletion into destruction. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + + Connects an Instantiation to another Instantiation of which it is + a direct component. + + es componente directo de + est le composant direct de + is direct component of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, + in order to enable to express current, direct, partitive relations between + instantiations (the possibly indirect, transitive relation, superproperty of this + one, being also added). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + of which it is a direct constituent. + + es elemento constitutivo directo de + est un constituant direct de + is direct constituent of + + + 2025-03-04 + Added a property chain axiom relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-10-26 + Added RecordPart to the range. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between records and + other records or record parts (the possibly indirect, transitive relation, + superproperty of this one, being also added). + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to a Proxy of a Record or Record + Part which it is a direct constituent of. + + es elemento constitutivo directo del proxy + est un constituant direct du proxy + is direct constituent of proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Thing to a Thing of which it is direct constitutive or + component part. + + es parte directa de + fait directement partie de + is direct part of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between things (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + To be used only when the current partitive relation is direct, + without any intermediate node between the related things. + + + + + + + + + + Connects a Group to the Group it is a direct subdivision + of. + + es subdivisión directa de + est la subdivision directe de + is direct subdivision of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between groups (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + Connects an ongoing Event to the Event it is a direct part + of. + + es parte directa de evento de + est un événement constituant directement l’événement + is direct subevent of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between ongoing + events (the possibly indirect, transitive relation, superproperty of this one, being + also added). + + + + + + + + + + Connects an Agent to an Agent that is directly hierarchically + superior. + + está directamente subordinado(a) a + est directement subalterne de + is direct subordinate to + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, subordination relations between agents + (the possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + Connects a Place to a Place that directly contains + it. + + está directamente contenido en + est directement contenu par + is directly contained by + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between places (the + possibly indirect, transitive relation, superproperty of this one, being also + added). + + + + + + + + + + + + + + + + + + Connects a Record to a Record or Record Set in which it is + directly included. + + está directamente incluido en + est directement inclus dans + is directly included in + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct, partitive relations between Record Sets + and their members (the possibly indirect, transitive relation, superproperty of this + one, being also added). + + + + + + + + + + + + + + + + + + Connects a Record or Record Set to a Proxy of a Record Set which + it is directly included in. + + está directamente incluido en el proxy + est directement inclus dans le proxy + is directly included in proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + Connects a Documentary Form Type to a Record or Record Part that + it categorizes. + + es tipo documental de + est le type de document de + is documentary form type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + + + + + + + + + + + + + + + + Connects a draft to the final version of a Record. + + es borrador de + est l’ébauche de + is draft of + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + There may be zero to many intermediate records, ignored or + unknown, between the two connected Records. + RiC-R011 ('is draft of' + relation) + + + + + + + + Connects a Date to a Thing whose existence ended on that + Date. + + es fecha final de + est la date de fin de + is end date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R071 ('is end date of' + relation) + + + + + + + + Connects two Things that are considered equivalent. + + equivale a + est l’équivalent de + is equivalent to + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + Connects an Event to a Thing that is associated with the existence + and lifecycle of the Event. + + es evento asociado con + est un événement associé a + is event associated with + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new eventRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use to connect an Event and an entity only if it is not possible + to specify a narrower Event relation, for example has or had participant. + RiC-R057 ('is event associated with' + relation) + + + + + + + + Connects an Event Type to an Event that it + categorizes. + + es tipo de evento de + est le type d’événement de + is event type of + + + 2024-03-15 + Fixed typo in rdfs:comment + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + Connects a Relation to a Record Resource that is used for proving + is existence or describing it. + + est attestée par + is evidenced by + se evidencia en + + + 2023-12-27 + Renamed the object property (was 'has source') and reduced its + domain to Relation (the domain was the union of Record Resource and Relation) and its + range to Record Resource (the range was the union of Agent and Record Resource). + Consequently updated the superproperty, the labels, and added a + rico:RiCCMCorrespondingComponent. Same for the inverse object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Object property implementation of RiC-RA05 (Source + of Relation attribute). + + + + + + + + Connects an Extent to a Thing + + es extensión de + est la mesure de + is extent of + + + 2023-11-08 + Fixed the range. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French; added an xml:lang attribute + to the rdfs:comment. + + + + + 2023-08-28 + Changed the range (was Instantiation or RecordResource) to + Thing ; changed the definition accordingly + + + + + 2020-10-28 + Object property created along with the Extent class and its + subclasses, in order to provide methods for handling extent accurately. + + + + + + + + + + Connects an Extent Type to an Extent that it + categorizes. + + es tipo de extensión de + est le type de mesure de + is extent type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Added a rdfs:comment. + + + + + 2020-11-01 + Object property added along with the Extent Type + class. + + + + + + + + + + Connects a Family Type to a Family that it + categorizes. + + es tipo de familia de + est le type de famille de + is family type of + + + 2024-03-15 + Fixed typo in rdfs:comment + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + + + + + + Connects a Date to an Appellation, when it is the date at which + the Appellation was first used. + + es fecha desde la que se usa de + est la date à partir de laquelle est utilisé + is from use date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made this property subPropertyOf isBeginningDateOf. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + Connects two Instantiations which may be considered as equivalent. + This relation is symmetric. + + equivale funcionalmente a + est fonctionnellement équivalente à + is functionally equivalent to + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + functionalEquivalenceRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the scope note. + + + Two Instantiations, from some point of view, may be considered + as equivalent. This equivalence is usually based upon the fact that the Instantiations have + at least the same intellectual content (they instantiate the same Record + Resource). + RiC-R035 ('is functionally equivalent to' + relation) + + + + + + + + Connects an Identifier Type and an Identifier that it + categorizes. + + es tipo de identificador de + est le type d’identifiant de + is identifier type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI. + + + + + 2020-10-19 + Object property added along with IdentifierType class and + hasIdentifierType object property. + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Set to a Proxy of a Record Set which + it is included in, directly or indirectly. + + está incluido en el proxy + est inclus dans le proxy + is included in proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record to a Record or Record Set in which it is + directly or indirectly included. This is a transitive relation. + + está incluido en transitivo + est inclus dans transitif + is included in transitive + + + 2025-03-04 + Added two property chain axioms relating it to use of + rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-13 + Added a French label. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between Record Sets and their + members (the past partitive relation also being added). + + + + + + + + + + + + + + + Connects two Instantiations. This relation is + symmetric. + + est associée à l’instanciation + is instantiation associated with instantiation + se asocia con la instanciación + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + instantiationToInstantiationRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use only if it is not possible to specify a narrower + Instantiation to Instantiation relation, for example is functionally equivalent + to. + RiC-R034 ('is instantiation associated with + instantiation' relation) + + + + + + + + Connects a Date and a Thing that was last modified at this + Date. + + es fecha de última actualización de + est la date de dernière mise à jour de + is last update date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + + Inverse of 'has content which mainly represents' object + property. + + es lo principal representado por el contenido de + est la chose principale représentée par le contenu de + is main thing represented by content of + + + 2025-04-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + Connects a Date to an Instantiation that was or will be migrated + at that Date. + + es fecha de migración de + est la date de migration de + is migration date of + + + 2025-03-13 + Added the property chain axiom. + + + + + 2025-03-01 + Removed 'Record Resource' from the definition and made this + property a subproperty of the new 'isDerivationDateOf' property. + + + + + 2025-02-19 + Added in RiC-O 1.1. + + + + + + + + + + Connects a Date to a Thing that was modified on that + Date. + + es fecha de modificación de + est une date de modification de + is modification date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R073 ('is modification date of' + relation) + + + + + + + + Connects a Date to a Record Set all of whose present or past + members were or will be accumulated at this Date. + + es o era fecha de acumulación de todos los miembros de + est ou a été la date de accumulation de tous les membres + de + is or was accumulation date of all members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + Connects a Date to a Record Set most of whose present or past + members were or will be accumulated at this Date. + + es o era fecha de acumulación de la mayoría de los miembros + de + est ou a été la date d'accumulation de la plupart des membres + de + is or was accumulation date of most members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + To be used for specifying a bulk date, i.e. the predominant date + of the members of the record set. + + + + + + + + Connects a Date to a Record Set some of whose present or past + members were or will be accumulated at this Date. + + es o era fecha de acumulación de algunos miembros de + est ou a été la date d'accumulation de certains membres + de + is or was accumulation date of some members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-10-04 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + Inverse of 'is or was activity date of' object + property. + + está o estuvo activo en la fecha + est ou a été actif à la date + is or was active at date + + + 2025-04-03 + Adjusted the rdfs:comment and added French and Spanish + labels. + + + + + 2025-03-06 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + Connects a Date to an Agent that is or was active at that + Date. + + es o era fecha de actividad de + est ou a été la date d’activité de + is or was date of activity of + + + 2025-04-03 + Renamed the property, changed its rdfs:comment, added the + property chain axiom and French and Spanish labels. + + + + + 2025-03-06 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects two Places that are or were geographically adjacent. This + relation is symmetric. + + es o era un lugar contiguo a + est ou a été adjacent à + is or was adjacent to + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, textual definition (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "isAdjacentTo"). + + + Use for connecting two adjacent geographical or administrative + regions. + RiC-R077 ('is or was adjacent to' + relation) + + + + + + + + Inverse of 'affects or affected' object property. + + es o era afectado por + est ou a été affecté par + is or was affected by + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + and corresponding CM component (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "affectedBy"). + + + RiC-R059i ('is or was affected by' + relation) + + + + + + + + Connects an Agent Name to an Agent it designates or + designated. + + es o era el nombre de agente de + est ou a été le nom de + is or was agent name of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was "isAgentNameOf"). + + + + + + + + + + Inverse of 'has or had analogue instantiation' object + property. + + es or era instanciación analogica de + est ou a été une instanciation analogique de + is or was analogue instantiation of + + + 2023-12-30 + Fixed a typo in the French label. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Added the property. + + + + + + + + + + + + + + + Connects an Appellation to a Thing that it designates or + designated. + + es o era la denominación de + est ou a été l’appellation de + is or was appellation of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new appellationRelation_role + object property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut (the inverse property already was). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (the name of this property in RiC-O 0.1 was "isAppellationOf"). + + + + + + + + + + + + + + + Inverse of 'studies or studied at' object property. + + es o fue atendido por el estudiante + est ou a été fréquenté par l’étudiant + is or was attended by student + + + 2024-12-23 + Added the French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + + + Inverse of 'has or had component' object property. + + es o era componente de + est ou a été un composant de + is or was component of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "isComponentOf"). + + + RiC-R004i ('is or was component of' + relation) + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'has or had constituent' object + property. + + es o era elemento constitutivo de + est ou a été un constituant de + is or was constituent of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Added RecordPart to the range. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "isConstituentOf"). + + + RiC-R003i ('is or was constituent of' + relation) + + + + + + + + + + Inverse of 'contains or contained' object property. + + está o estaba contenido en + est ou a été contenu par + is or was contained by + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "containedBy"). + + + RiC-R007i ('is or was contained by' + relation) + + + + + + + + Connects a Content Type and a Record Set whose all past or present + Record or Record Part members have that Content Type. + + es o era tipo de contenido de todos los miembros de + est ou a été le type de contenu de tous les membres de + is or was content type of all members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Content Type and a Record Set whose some past or + present Record or Record Part members have that Content Type. + + es o era tipo de contenido de algunos miembros de + est ou a été le type de contenu de certains membres de + is or was content type of some members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + + + + + + Connects an Agent to another Agent it controls or + controlled. + + contrôle ou a contrôlé + es o era controlador de + is or was controller of + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new agentControlRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "controls"). + + + RiC-R041 ('is or was controller of' + relation) + + + + + + + + Connects an instance of Coordinates to a Physical Location it + locates or located on earth, according to some reference system. + + is or was coordinates of + ont ou ont été les coordonnées de + son o eran coordenadas de lugar de + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (the name of this property in RiC-O 0.1 was "isCoordinatesOf"). + + + + + + + + + + Connects a Corporate Body Type to a Corporate Body that it + categorizes or categorized. + + es o era tipo de institución de + est ou a été le type de collectivité de + is or was corporate body type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (the name of this property in RiC-O 0.1 was "isCorporateBodyTypeOf"). + + + + + + + + + + Connects a Date to a Record Set all of whose present or past + members were or will be created at this Date. + + es o era fecha de creación de todos los miembros de + est ou a été la date de création de tous les membres de + is or was creation date of all members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R081 ('is or was creation date of all members + of' relation) + + + + + + + + Connects a Date to a Record Set most of whose present or past + members were or will be created at this Date. + + es o era fecha de creación de la mayoría de los miembros + de + est ou a été la date de création de la plupart des membres + de + is or was creation date of most members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + Renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label + + + + + 2023-10-10 + Made this property a subproperty of + isCreationDateOfSomeMembersOf. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + To be used for specifying a bulk date, i.e. the predominant date + of the members of the record set. + RiC-R083 ('is or was creation date of most members + of' relation) + + + + + + + + Connects a Date to a Record Set some of whose present or past + members were or will be created at this Date. + + es o era fecha de creación de algunos miembros de + est ou a été la date de création de certains membres de + is or was creation date of some members of + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + Renamed the property in order to take the past members of the + record set into account. Adjusted the annotations accordingly. + + + + + 2023-10-12 + Added the French label and the rdfs:comment + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + RiC-R082 ('is or was creation date of some members + of' relation) + + + + + + + + + + + + + + + Connects a Demographic Group to a Person or Group which belongs or + belonged to it. + + es o era grupo demográfico de + est ou a été le groupe démographique de + is or was demographic group of + + + 2024-10-10 + Changed the French label (replaced 'catégorie' with + 'groupe'). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + range (the name of this property in RiC-O 0.1 was + "isDemographicGroupOf"). + + + + + + + + + + + + + + + + Inverse of 'has or had derived instantiation' object + property. + + es o era un derivado de instanciación + est ou a été une instanciation dérivée de + is or was derived from instantiation + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new derivationRelation_role + object property. + + + + + 2023-11-07 + Added the property chain axiom so that this property is + formally defined as a shortcut (the inverse property already was). + + + + + 2023-08-29 + Updated the IRI, inverse property, definition, labels and + RiCMCorrespondingComponent; this in order to make the specification compliant with + RiC-CM 1.0. The name of the property in RiC-O 0.2 was 'is derived from + instantiation'. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R014i ('is or was derived from instantiation' + relation) + + + + + + + + Inverse of 'describes or described' object + property. + + es o fue descrito por + est ou a été décrit par + is or was described by + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "describedBy"). + + + RiC-R021i ('is or was described by' + relation) + + + + + + + + Inverse of 'has or had digital instantiation' object + property. + + es o era instanciación digital de + est ou a été une instanciation numérique de + is or was digital instantiation of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Added the property. + + + + + + + + + + Connects a Documentary Form Type and a Record Set whose all past + or present Record or Record Part members have that Documentary Form Type. + + es o era tipo documental de todos los miembros de + est ou a été le type de document de tous les membres de + is or was documentary form type of all members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Documentary Form Type and a Record Set whose some past + or present Record or Record Part members have that Documentary Form Type. + + es o era tipo documental de algunos miembros de + est ou a été le type de document de certains membres de + is or was documentary form type of some members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + + + + + + + Connects a Corporate Body or a Person to a Person who is or was + their employee. + + a ou a été l'employeur de + es o era empleador(a) de + is or was employer of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Changed the domain and range of the property. Added a + rdfs:comment. Removed the 'has or had member' super-property. + + + + + 2023-10-19 + Adder for RiC-O v1.0. + + + + + + + + + + Connects a Rule to an Agent that enforces or enforced the + Rule. + + es o era una regla aplicada por + est ou a été imposé par + is or was enforced by + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "enforcedBy"). + + + RiC-R066 ('is or was enforced by' + relation) + + + + + + + + Connects a Rule to a Record Resource that expresses or expressed + the Rule. + + es o era una regla expresada en + est ou a été exprimé par + is or was expressed by + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "expressedBy"). + + + RiC-R064 ('is or was expressed by' + relation) + + + + + + + + + + + + + + + + + + + + Connects an Agent to a Record Resource or Instantiation that the + Agent holds or held. + + détient ou a détenu + es o era conservador de + is or was holder of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceHoldingRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super = property + IRI and text definition (changed made in order to make RiC-O compliant with RiC-CM + 0.2; the name of this property in RiC-O 0.1 was "isHolderOf"). + + + RiC-R039 ('is or was holder of' + relation) + + + + + + + + + + + + + + + + + + + + + + + + + + + + Connects an Agent to a Record Resource or Instantiation on which + the Agent has or had some intellectual property rights. + + détient ou a détenu les droits de propriété intellectuelle + sur + es o era conservador de derechos de propiedad intelectual + de + is or was holder of intellectual property rights of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + intellectualPropertyRightsRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI and textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "hasIntellectualPropertyRightsOn"). + + + RiC-R040 ('is or was holder of intellectual + property rights of' relation) + + + + + + + + Connects an Identifier to a Thing that it identified or + identifies. + + es o era identificador de + est ou a été l’identifiant de + is or was identifier of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "identifies"). + + + + + + + + + + + + + + + + + + Inverse of 'includes or included' object property. + + está o estaba incluido en + est ou a été inclus dans + is or was included in + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2023-06-05 + Made this object property a subproperty of + isOrWasPartOf. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "includedIn"). + + + RiC-R024i ('is or was included in' + relation) + + + + + + + + + + + + + Inverse of 'has or had instantiation' object + property. + + es o era instanciación de + est ou a été une instanciation de + is or was instantiation of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceToInstantiationRelation_role object property. + + + + + 2023-08-29 + Updated the IRI, inverse property, definition, labels and + RiCMCorrespondingComponent; this in order to make the specification compliant with + RiC-CM 1.0. The name of the property in RiC-O 0.2 was 'is instantiation + of'. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI and label (changed made in order to make RiC-O + compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "instantiates"). + + + RiC-R025i ('is or was instantiation of' + relation) + + + + + + + + Connects a Place to an Agent that has or had jurisdiction over the + Place. + + es o era jurisdicción de + est ou a été le ressort de + is or was jurisdiction of + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made subproperty of new property isPlaceAssociatedWithAgent + instead of its parent isPlaceAssociatedWith. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "isJurisdictionOf"). + + + RiC-R076 ('is or was jurisdiction of' + relation) + + + + + + + + + + + + + + + + Connects a Language to an Agent, Record or Record Part that uses + or used it. + + es o era lengua de + est ou a été la langue de + is or was language of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was "isLanguageOf"). + + + + + + + + + + Connects a Language and a Record Set whose all present or past + Record or Record Part members use that Language. + + es o era lengua de todos los miembros de + est ou a été la langue de tous les membres de + is or was language of all members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Language and a Record Set whose some present or past + Record or Record Part members use that Language. + + es o era lengua de algunos miembros de + est ou a été la langue de certains membres de + is or was language of some members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + + + + + Connects a Person to the Group that Person leads or led in the + past. + + es o era líder de + est ou a été le dirigeant de + is or was leader of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new leadershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super property + IRI, textual definition (changed made in order to make RiC-O compliant with RiC-CM + 0.2; the name of this property in RiC-O 0.1 was "isLeaderOf"). + + + RiC-R042 ('is or was leader of' + relation) + + + + + + + + + + + + + + + + Connects a Legal Status to an Agent or Record Resource that it + categorizes. + + es o era status jurídico de + est ou a été le statut légal de + is or was legal status of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was + "isLegalStatusOf"). + + + Connects a Legal Status to an Agent, Record or Record Part that + it categorized or categorizes. + + + + + + + + Connects a Legal Status and a Record Set whose all past or present + Record or Record Part members have that Legal Status. + + es o era status jurídico de todos los miembros de + est ou a été le statut légal de tous les membres de + is or was legal status of all members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Legal Status and a Record Set whose some past or + present Record or Record Part members have that Legal Status. + + es o era status jurídico de algunos miembros de + est ou a été le statut légal de certains membres de + is or was legal status of some members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Place to a Thing that is or was located in the + Place. + + es o era localización de + est ou a été la localisation de + is or was location of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "isLocationOf"). + + + RiC-R075 ('is or was location of' + relation) + + + + + + + + + Connects a Place to an Agent that is or was located in this + Place. + + es o era localización de agente + est ou a été la localisation de l'agent + is or was location of agent + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + Renamed the property and added an rdfs:comment. + + + + + 2023-10-20 + Added for RiC-O 1.0. + + + + + + + + + + Inverse of 'has or had main subject' object + property. + + es o era la materia principal de + est ou a été le sujet principal de + is or was main subject of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super property + IRI, textual definition (changed made in order to make RiC-O compliant with RiC-CM + 0.2; the name of this property in RiC-O 0.1 was "isMainSubjectOf"). + + + RiC-R020i ('is or was main subject of' + relation) + + + + + + + + + Inverse of 'has or had all members with main subject' object + property. + + es o era la materia principal de todos los miembros de + est ou a été le sujet principal de tous les membres de + is or was main subject of all members of + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Inverse of 'has or had some members with main subject' object + property. + + es o era la materia principal de algunos miembros de + est ou a été le sujet principal de certains membres de + is or was main subject of some members of + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'has or had some members whose content mainly + represents' object property. + + es o era lo principal representado por el contenido de algunos + miembros de + est ou a été la chose principale représentée par le contenu de + certains membres de + is or was main thing represented by content of some members + of + + + 2025-04-06 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + Connects an Agent to a Record Resource or Instantiation that the + Agent managed or manages. + + es o era gestor de + est ou a été le gestionnaire de + is or was manager of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new managementRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super property + IRI, textual definition (changed made in order to make RiC-O compliant with RiC-CM + 0.2; the name of this property in RiC-O 0.1 was "isManagerOf"). + + + RiC-R038 ('is or was manager of' + relation) + + + + + + + + Connects a Mandate Type to a Mandate that it categorized or + categorizes. + + es o era tipo de norma de + est ou a été le type de mandat de + is or was mandate type of + + + 2024-03-15 + Make capitalisation of rdfs:comment consistent. + + + + + 2023-11-13 + Added the property, and its inverse one, following the creation + of the MandateType class, that corresponds to the new Mandate Type attribute in + RiC-CM 1.0. + + + + + + + + + + + + + + + Inverse of 'has or had member' object property. + + es o era miembro de + est ou a été membre de + is or was member of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new membershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "isMemberOf"). + + + RiC-R055i ('is or was member of' + relation) + + + + + + + + Connects a Name to a Thing that it designated or + designates. + + es o era nombre de + est ou a été le nom de + is or was name of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition, super property IRI (the name of this property in RiC-O 0.1 was + "isNameOf"). + + + + + + + + + + Connects an Occupation Type to a Person whose occupation is or was + categorized by it. + + es o era tipo de ocupación de + est ou a été le type d’occupation de + is or was occupation type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition, super property IRI (the name of this property in RiC-O 0.1 was + "isOccupationTypeOf"). + + + + + + + + + + + + + + + Inverse of 'occupies or occupied' object property. + + está o estaba ocupado por + est ou a été occupé par + is or was occupied by + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new positionHoldingRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "occupiedBy"). + + + RiC-R054i ('is or was occupied by' + relation) + + + + + + + + + + + + + + + + + + + + + Connects a Group, Person or Position to a Thing that this Agent + owns or owned. + + es o era poseedor(a) de + est ou a été propriétaire de + is or was owner of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new ownershipRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition, super property IRI (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "isOwnerOf"). + + + RiC-R037 ('is or was owner of' + relation) + + + + + + + + + + + + + Inverse of 'has or had part' relation. + + es o era parte de + est ou a été une partie de + is or was part of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new wholePartRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "isPartOf"). + + + RiC-R002i ('is or was part of' + relation) + + + + + + + + Inverse of 'has or had participant' object + property. + + es o era participante de + is or was participant in + participe ou a participé à + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name + of this property in RiC-O 0.1 was "involvedIn"). + + + RiC-R058i ('is or was participant in' + relation) + + + + + + + + + + + + + Connects an Activity to an Agent that performed or performs the + Activity. + + es o fue desarrollado por + est ou a été réalisée par + is or was performed by + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new performanceRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "performedBy"). + + + RiC-R060 ('is or was performed by' + relation) + + + + + + + + Connects a Physical Location to a Place, when it is or was its + location. + + a ou a été la localisation physique de + es o era localización física de + is or was physical location of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-02-01 + Property made a subproperty of + 'isAssociatedWithPlace". + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, textual + definition (the name of this property in RiC-O 0.1 was + "isPhysicalLocationOf"). + + + + + + + + + + Connects a Place Name to a Place that was or is designated by + it. + + a ou a été le nom de lieu de + es o era nombre de lugar de + is or was place name of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "isPlaceNameOf"). + + + + + + + + + + Connects a Place Type to a Place that is or was categorized by + it. + + a ou a été le type de lieu de + es o era tipo de lugar de + is or was place type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "isPlaceTypeOf"). + + + + + + + + + + Connects a Record State and a Record Set whose all past or present + Record or Record Part members have that Record State. + + a ou a été l’état de tous les membres de + es o era estado de documento de todos los miembros de + is or was record state of all members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Record State and a Record Set whose some past or + present Record or Record Part members have that Record State. + + a ou a été l’état de certains membres de + es o era estado de documento de algunos miembros de + is or was record state of some members of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Inverse of 'regulates or regulated' object + property. + + está o estaba regulado por + est ou a été régulé par + is or was regulated by + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "regulatedBy"). + + + RiC-R063i ('is or was regulated by' + relation) + + + + + + + + Inverse of 'has or had some members whose content represents' + object property. + + es o era representado por el contenido de algunos miembros + de + est ou a été représenté par le contenu de certains membres + de + is or was represented by content of some members of + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Inverse of 'is or was enforced by' object property. + + es o era responsable de aplicar + impose ou a imposé + is or was responsible for enforcing + + + 2024-09-02 + Fixed the French label. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "isResponsibleForEnforcing"). + + + RiC-R066i ('is or was responsible for enforcing' + relation) + + + + + + + + Connects a Rule Type to a Rule that it categorized or + categorizes. + + es o era tipo de regla de + est ou a été le type de règle de + is or was rule type of + + + 2024-03-15 + Make capitalisation of rdfs:comment consistent. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property URI (the name of this property in RiC-O 0.1 was + "isRuleTypeOf"). + + + + + 2020-10-19 + Object property added along with RuleType class and hasRuleType + object property. + + + + + + + + + + + + + + + + Inverse of 'has or had subdivision' object + property. + + es o era subdivisión de + est ou a été une subdivision de + is or was subdivision of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + groupSubdivisionRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRIs (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "isSubdivisionOf"). + + + RiC-R005i ('is or was subdivision' + relation) + + + + + + + + + + Inverse of 'has or had subevent' object property. + + es o era parte de evento de + est ou a été un événement constituant de + is or was subevent of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property URI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "isSubEventOf"). + + + RiC-R006i ('is or was subevent of' + relation) + + + + + + + + Inverse of 'has or had subject' object property. + + es o era materia de + est ou a été le sujet de + is or was subject of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "isSubjectOf"). + + + RIc-R019i ('is or was subject of' + relation) + + + + + + + + Inverse of 'has or had all members with subject' object + property. + + es o era la matería de todos los miembros de + est ou a été le sujet de tous les membres de + is or was subject of all members of + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + Inverse of 'has or had some members with subject' object + property. + + es o era la matería de algunos miembros de + est ou a été le sujet de certains membres de + is or was subject of some members of + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + Inverse of 'has or had subordinate' object + property. + + está o estaba subordinado(a) a + est ou a été le subalterne de + is or was subordinate to + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + agentHierarchicalRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "isHierarchicallyInferiorTo"). + + + RiC-R045i ('is or was subordinate to' + relation) + + + + + + + + + + + + + + + + Connects a Title to a Record Resource, Instantiation or Rule that + it designated or designates. + + es o era título de + est ou a été l’intitulé de + is or was title of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (the name of this property in RiC-O 0.1 was + "isTitleOf"). + + + + + + + + + + + + + + + Connects a Type to a Thing that it categorizes or + categorized. + + es o era lo tipo de + est ou a été le type de + is or was type of + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new typeRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (the name of this property in RiC-O 0.1 was "isCategoryOf"). + + + + + + + + + + Connects a Type and a Record Set whose all present or past Record + or Record Part members belong to that Type. + + es o era lo tipo de todos los miembros de + est ou a été le type de tous les membres de + is or was type of all members of + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + Connects a Type and a Record Set whose some present or past Record + or Record Part members belong to that Type. + + es o era lo tipo de algunos miembros de + est ou a été le type de certains membres de + is or was type of some members of + + + 2024-10-04 + Changed the word 'category' into 'type' in all applicable + properties names. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Object property added for handling the case where a Record Set + is described as having all or some members that belong to some category (see RiC-CM + 0.2 attributes section, #4.4 on Record Set, Record and Record Part + attributes). + + + + + + + + + + + + + + + Inverse of 'has or had authority over' object + property. + + está o estaba bajo control de + est ou a été sous l’autorité de + is or was under authority of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new authorityRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "isUnderAuthorityOf"). + + + RiC-R036i ('is or was under authority of' + relation) + + + + + + + + + + + + + + + + + + + + + + + + + + + Inverse of 'has organic or functional provenance' object + property. + + es procedencia orgánica o funcional de + est la provenance organique ou fonctionnelle de + is organic or functional provenance of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + organicOrFunctionalProvenanceRelation_role object property. + + + + + 2023-11-07 + Property added as a superproperty of isProvenance and + documentedBy, along with its inverse property. Shortcut also added. + + + + + + + + + + + + + + + + + + + + + + Connects a Date associated with the organic provenance of a Record + Resource or Instantiation to that Record Resource or Instantiation. + + es la fecha de procedencia orgánica de + est la date de provenance organique de + is organic provenance date of + + + 2025-03-13 + Added French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + + Inverse of 'has organic provenance' object + property. + + es procedencia orgánica de + est la provenance organique de + is organic provenance of + + + 2024-03-15 + Make capitalisation of rdfs:comment consistent. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + organicProvenanceRelation_role object property. + + + + + 2023-11-07 + Made this property a subproperty of the new + isOrganicOrFunctionalProvenanceOf property. Renamed it to make things clearer. + Adjusted its labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R026i ('is provenance of' + relation) + + + + + + + + + + + + + + + + + + + + + + + Connects the original version of a Record to a copy or a later + version. + + es original de + est l’original de + is original of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + There may be zero to many intermediate Records, ignored or + unknown, between the two connected Records + RiC-R010 (is original of + relation) + + + + + + + + + Connects a Thing to a Thing of which it is a a constitutive or + component part, directly or indirectly. This is a transitive relation. + + es parte de transitivo + est une partie de transitif + is part of transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-13 + Added a French label. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between things (the past + partitive relation also being added). + + + To be used, either to infer, then query or browse, relations + from existing direct 'isDirectPartOf' relations between things, or to record a current + partitive relation when you do not know if there are intermediate nodes between the related + things. + + + + + + + + + + + + + Connects a Place to a Thing with whose existence and lifecycle the + Place is associated. + + es lugar asociado con + est un lieu associé à + is place associated with + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new placeRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use to connect a Place to an entity only if it is not possible + to specify a narrower spatial relation, for example, is or was location + of. + RiC-R074 ('is place associated with' + relation) + + + + + + + + Connects a Place to an Agent which is related to that + Place. + + es lugar asociado con agente + est un lieu associé à l'agent + is place associated with agent + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-26 + fixed the domain and range, added a rdfs:comment and English + and French labels. + + + + + 2023-10-19 + Added for RiC-O v1.0. + + + + + + + + + + Connects a Production Technique Type to an Instantiation whose + production technique is categorized by it. + + es tipo de técnica de producción de + est le type de technique de production de + is production technique type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + Connects a Date to a Record Resource that was or will be made + public at this Date. + + es fecha de publicación de + est la date de publication de + is publication date of + + + 2025-03-01 + Made the property a subproperty of isDateAssociatedWith + (instead of isBeginningDateOf). + + + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-12 + Added the French label + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + + + + + + + + Connects an Agent to a Record Resource that it + published. + + es editor(a) de + est l’éditeur de + is publisher of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (the name of this + property in RiC-O 0.1 was "publishes"). + + + + + + + + + + + + + + + + + Inverse of 'received by' object property. + + es receptor(a) de + is receiver of + reçoit + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, super property + IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "receives"). + + + RiC-R029i ('is receiver of' + relation) + + + + + + + + + + + + + Connects two Record Resources. This relation is + symmetric. + + es recurso documental asociado con + est une ressource archivistique associée avec la ressource + archivistique + is record resource associated with record resource + + + 2023-11-25 + Fixed the French label. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new + recordResourceToRecordResourceRelation_role object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use to connect two Record Resources only if it is not possible + to use a narrower, more specific relation, for example has genetic link + to. + RiC-R022 ('is record resource associated with + record resource' relation) + + + + + + + + Connects a Record Set Type to a Record Set that it + categorizes. + + es tipo de agrupación documental de + est le type d’ensemble d’objets informationnels de + is record set type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + + + + + + + + Connects a Record State to a Record or Record Part whose state it + categorizes. + + es estado de documento de + est l’état de + is record state of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Changed the IRI, label, textual definition and range (Record + Resource removed, replaced by Record or Record Part). + + + + + + + + + + + + + + The most generic relation, is related to, connects any Thing to + any other Thing. This relation is symmetric. + + está relacionado con + est relié à + is related to + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + Added the property chain axiom in order to make this property a + shortcut. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R001 ('is related to' + relation) + + + + + + + + + Inverse of 'has reply' object property. + + es contestación de + est une réponse à + is reply to + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "repliesTo"). + + + RiC-R013i ('is reply to' + relation) + + + + + + + + Connects a Representation Type to an Instantiation that it + categorizes. + + es tipo de grabación de + est le type de représentation de + is representation type of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the super property IRI. + + + + + + + + + + + + + + + + + Inverse of 'has content which represents' object + property. + + es representado por el contenido de + est représenté par le contenu de + is represented by content of + + + 2025-04-04 + Introduced in RiC-O 1.1. + + + + + + + + + + Inverse of 'issued by' object property. + + es responsable de emisión de + est chargé de rendre publique + is responsible for issuing + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R065i ('is responsible for issuing' + relation) + + + + + + + + + + + + + Connects a Rule to a Thing that is associated with the + Rule. + + es regla asociada con + est une règle associée à + is rule associated with + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new ruleRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Use only if it is not possible to specify a narrower Rule + relation, for example, regulates or regulated. + RiC-R062 ('is rule associated with' + relation) + + + + + + + + + + + + + + + Inverse of 'has sender' object property. + + es remitente de + est l’expéditeur de + is sender of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R031i ('is sender of' + relation) + + + + + + + + Connects a Record Resource to a Record Resource, when the first is + used as a source of information for producing the content of the second one. + + es fuente de información de recurso documental + est une source d’information de la ressource + archivistique + is source of information of Record Resource + + + 2025-01-17 + Object property added in RiC-O 1.1, with its inverse one. It + replaces, as concerns Record Resources, the former 'isSourceOf' object property, that + was available in RiC-0 0.1 and RiC-O 0.2, and was removed in RiC-O 1.0. + + + Can be used, for example, for a Record Resource used to produce + a Record having documentary form type Authority Record or Finding Aid. Not to be confused + with the 'hasGeneticLinkToRecordResource' object property. + + + + + + + + + + + Connects a Group to the Group it is a direct or indirect + subdivision of. This is a transitive relation. + + es subdivisión de transitivo + est une subdivision de transitif + is subdivision of transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current partitive relations between groups (the past + partitive relation also being added). + + + + + + + + + + + + Connects an ongoing Event to an Event of which it is a direct or + indirect part. This is a transitive relation. + + es elemento constitutivo de transitivo + est un événement constituant de transitif + is subevent of transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express partitive relations between ongoing events (the past + partitive relation also being added). + + + + + + + + + + + Connects an Agent to an Agent that is directly or indirectly + hierarchically superior. This is a transitive relation. + + está subordinado(a) a transitivo + est subalterne de transitif + is subordinate to transitive + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current subordination relations between agents (the past + subordination relation also being added). + + + + + + + + + + + + + + + + Inverse of 'has successor' object property. + + es sucesor(a) de + est le successeur de + is successor of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new agentTemporalRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the inverse property IRI and the text + definition. + + + RiC-R016i ('is successor of' + relation) + + + + + + + + Connects a Title Type and a Title that it + categorizes. + + es tipo de título de + est le type de titre de + is title type of + + + 2024-10-04 + Object property added along with TitleType class and + hasTitleType object property. + + + + + + + + + + Connects a Date to an Appellation, when it is the date till which + the Appellation was used. + + es fecha hasta la que se usa + est la date jusqu’à laquelle est utilisé + is to use date of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made this property a subPropertyOf isEndDateOf. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Inverse of 'has unit of measurement' object + property. + + est l’unité de mesure de + es unidad de medida de + is unit of measurement of + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French; added an xml:lang attribute + to the rdfs:comment. + + + + + 2020-10-28 + Object property created along with Extent and UnitOfMeasurement + classes, in order to provide methods for handling extent accurately. + + + + + + + + + + + + Connects a Date to a Date in which it is contained. + + está dentro + est contenu dans + is within + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-13 + made this property a subproperty of both isDateAssociatedWith + and isAssociatedWithdate, and of isOrWasPartOf. + + + + + 2023-10-12 + Added the property + + + RiC-R085 ('is within' + relation) + + + + + + + + Connects a Rule to the Agent that issued or published the + Rule. + + emitido por + issued by + rendue publique par + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R065 ('issued by' + relation) + + + + + + + Connects a KnowingOfRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de connaissance à propos d’une + personne + desempeña el papel de la Relación de conocimieto indirecto entre + personas + has the role of the Knowing Of Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the KnowingOfRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the KnowingOfRelation class. It should + be used only when you have to manage instances of the KnowingOfRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a KnowingRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de connaissance entre + personnes + desempeña el papel de la Relación de conocimiento directo entre + personas + has the role of the Knowing Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the KnowingRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the KnowingRelation class. It should be + used only when you have to manage instances of the KnowingRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + Inverse of 'knows of' object property. + + conocido por + est connue par + known by + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new knowingOfRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R050i ('known by' + relation) + + + + + + + + + + + + + Connects two Persons that directly know each other during their + existence. This relation is symmetric. + + connaît + conoce a + knows + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new knowingRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + The relation implies that the two Persons met or at least + corresponded with each other. + RiC-R051 ('knows' + relation) + + + + + + + + + + + + + Connects a Person to another Person they have some knowledge of + through time or space. + + a connaissance de la personne + conoce indirectamente a + knows of + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new knowingOfRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + RiC-R050 ('knows of' + relation) + + + + + + + Connects a LeadershipRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de direction + desempeña el papel de la Relación de liderazgo + has the role of the Leadership Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the LeadershipRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the LeadershipRelation class. It should + be used only when you have to manage instances of the LeadershipRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Leadership Relation to the Position occupied by the + leading Person. + + leadership with position + liderazgo en puesto + relation de direction dans le cadre du poste + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects a ManagementRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de gestion + desempeña el papel de la Relación de gestión + has the role of the Management Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the ManagementRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the ManagementRelation class. It should + be used only when you have to manage instances of the ManagementRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a MandateRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation impliquant un mandat + desempeña el papel de la Relación normativa + has the role of the Mandate Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the MandateRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the MandateRelation class. It should be + used only when you have to manage instances of the MandateRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + Connects a MembershipRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation d’appartenance + desempeña el papel de la Relación de membresía + has the role of the Membership Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the MembershipRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the MembershipRelation class. It should + be used only when you have to manage instances of the MembershipRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Membership Relation to the Position occupied by the + member Person(s). + + membership with position + membresía en puesto + relation d’appartenance dans le cadre du poste + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + Inverse of 'migrated into' object property. + + a été produite par migration de + migrado desde + migrated from + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new migrationRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Updated subpropertyOf; this in order to make the specification + compliant with RiC-CM 1.0. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "createdByMigrationFromInstantiation"). + + + RiC-R015i ('migrated from' + relation) + + + + + + + + + + + + + Connects an Instantiation to a version it has been migrated + into. + + a été migrée vers + migrado a + migrated into + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new migrationRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-29 + Updated subpropertyOf; this in order to make the specification + compliant with RiC-CM 1.0. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label and inverse property IRI (changed made + in order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O + 0.1 was "isMigratedIntoInstantiation"). + + + Use for digital instantiations. + RiC-R015 ('migrated into' + relation) + + + + + + + Connects a MigrationRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de migration + desempeña el papel de la Relación de migración entre + instanciaciones + has the role of the Migration Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the MigrationRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the MigrationRelation class. It should + be used only when you have to manage instances of the MigrationRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + Connects a Person to a Position they occupy or + occupied. + + occupe ou a occupé + occupies or occupied + ocupa u ocupaba + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new positionHoldingRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "occupies"). + + + RiC-R054 ('occupies or occupied' + relation) + + + + + + + + + Inverse of 'is date of occurrence of' object + property. + + a pour date d'occurrence + occurred at date + tiene como fecha de ocurrencia + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-10-17 + Made this property a subproperty of + isEventAssociatedWith + + + + + 2023-10-13 + Renamed the property to correct a spelling mistake. Also + corrected the annotations when necessary. + + + RiC-R084i ('occurred at date' + relation) + + + + + + + Connects an OrganicOrFunctionalProvenanceRelation to itself. It is + a property that can stand for an instance of the class when necessary, e.g. when you + explore a knowledge graph. + + a le rôle de la Relation de provenance organique ou + fonctionnelle + desempeña el papel de la Relación de procedencia orgánica or + funcional + has the role of the Organic or functional provenance + Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the OrganicOrFunctionalProvenanceRelation + rolified class. Declared it as reflexive. Declared it(s) + superproperty(ies). + + + This property "rolifies" the + OrganicOrFunctionalProvenanceRelation class. It should be used only when you have to manage + instances of the OrganicOrFunctionalProvenanceRelation class, to connect each instance to + itself, in order to be able to infer, using OWL-RL and property paths, the two shortcuts + corresponding to this n-ary class. + + + + + + + Connects an OrganicProvenanceRelation to itself. It is a property + that can stand for an instance of the class when necessary, e.g. when you explore a + knowledge graph. + + a le rôle de la Relation de provenance organique + desempeña el papel de la Relación de procedencia + orgánica + has the role of the Organic Provenance Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the OrganicProvenanceRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the OrganicProvenanceRelation class. It + should be used only when you have to manage instances of the OrganicProvenanceRelation + class, to connect each instance to itself, in order to be able to infer, using OWL-RL and + property paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + + Connects two Places that geographically overlap or overlapped. + This relation is symmetric. + + chevauche ou a chevauché + overlaps or overlapped + se superpone o superponía con + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, text definition (changed made in order + to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 was + "overlaps"). + + + RiC-R078 ('overlaps or overlapped' + relation) + + + + + + + Connects an OwnershipRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de propriété + desempeña el papel de la Relación de posesión + has the role of the Ownership Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the OwnershipRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the OwnershipRelation class. It should + be used only when you have to manage instances of the OwnershipRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a PerformanceRelation to itself. It is a property that + can stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation entre activités et agents + desempeña el papel de la Relación de desarrollo + funcional + has the role of the Performance Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the PerformanceRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the PerformanceRelation class. It + should be used only when you have to manage instances of the PerformanceRelation class, to + connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + Inverse of 'is or was performed by' object + property. + + desarrolla o desarrollaba + exerce ou a exercé + performs or performed + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new performanceRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + super property IRI (changed made in order to make RiC-O compliant with RiC-CM 0.2; + the name of this property in RiC-O 0.1 was "performs"). + + + RiC-R060i ('performs or performed' + relation) + + + + + + + Connects a PlaceRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation impliquant un lieu + desempeña el papel de la Relación con lugar + has the role of the Place Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the PlaceRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the PlaceRelation class. It should be + used only when you have to manage instances of the PlaceRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + Connects a PositionHoldingRelation to itself. It is a property + that can stand for an instance of the class when necessary, e.g. when you explore a + knowledge graph. + + a le rôle de la Relation entre une personne et un poste + desempeña el papel de la Relación de ocupación entre una persona y + un puesto + has the role of the Position Holding Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the PositionHoldingRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the PositionHoldingRelation class. It + should be used only when you have to manage instances of the PositionHoldingRelation class, + to connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Position to a Leadership Relation (the leading Person + occupies that Position). + + position is context of leadership relation + poste est le contexte de la relation de direction + puesto es contexto de relación de liderazgo + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + + + + + + Connects a Position to a Membership Relation (the member Person + occupies that Position). + + position is context of membership relation + poste est le contexte de la relation d'appartenance + puesto es contexto de relación de membresía + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + + + + + Connects a PositionToGroupRelation to itself. It is a property + that can stand for an instance of the class when necessary, e.g. when you explore a + knowledge graph. + + a le rôle de la Relation entre un poste et un groupe + desempeña el papel de la Relación de ocupación entre un grupo y un + puesto + has the role of the Position to Group Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the PositionToGroupRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the PositionToGroupRelation class. It + should be used only when you have to manage instances of the PositionToGroupRelation class, + to connect each instance to itself, in order to be able to infer, using OWL-RL and property + paths, the two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Thing to a Thing that followed it in some sequence (not + necessarily defined or characterised chronologically) in the past. + + a précédé dans la séquence + preceded in sequence + precedía secuencialmente a + + + 2025-03-04 + Tweaked the rdfs:comment to try to clarify what is + meant. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from precedesInTime. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past sequential relations between things (the current + sequential relations being also added, including a transitive one). + + + + + + + + + + + + + + + Connects a Thing to a Thing that follows it directly or indirectly + in some sequence (not necessarily defined or characterised chronologically). This is a + transitive relation. + + précède dans la séquence transitif + precede secuencialmente a transitivo + precedes in sequence transitive + + + 2025-03-04 + Tweaked the rdfs:comment to try to clarify what is meant. Also + added a property chain axiom relating it to use of rico:Proxy. + + + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-22 + Renamed the property and modified its definition (rdfs:comment) + in order to better distinguish it from precedesInTime. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express current, direct or indirect, sequential relations between + things (the past sequential relation also being added). + + + + + + + + + + + + + + + + Connects a Thing to a Thing that follows it in chronological + order. This is a transitive relation. + + précède dans le temps + precede en el tiempo a + precedes in time + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new temporalRelation_role object + property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-09-21 + Property made transitive. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the superproperty IRI + + + There may actually be zero to many intermediate Entities, + ignored or unknown, in the chronological sequence between the two connected + Entities. + RiC-R009 ('precedes in time' + relation) + + + + + + + + + + + + + Connects a Thing to a Thing that follows or followed it in some + sequence. + + precede o precedía secuencialmente a + précède ou a précédé + precedes or preceded + + + 2023-11-08 + In order to get a system of rolified Relation classes: modified + the property chain axiom so that it now involves the new sequentialRelation_role + object property. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition, + corresponding CM component name (changed made in order to make RiC-O compliant with + RiC-CM 0.2; the name of this property in RiC-O 0.1 was "precedes"). + + + The relation does not specify by itself what criteria are used + for ordering the sequence. There may actually be zero to many intermediate Entities, + ignored or unkown, in the sequence between the two connected Things. Can be used, for + example, for specifying that some Record 'precedes' (has next) some Record within a Record + Set. + RiC-R008 ('precedes or preceded' + relation) + + + + + + + + + + + + Connects a Record Resource to a Proxy of a Record Resource that it + precedes directly or indirectly in some sequence (not necessarily defined or characterised + chronologically). + + precede el proxy en la secuencia + précède le proxy dans la séquence + precedes proxy in sequence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'directly precedes proxy in sequence' object + property. + + proxy directly follows in sequence + proxy sigue directamente en la secuencia + proxy suit directement dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy directly precedes proxy in sequence' object + property. + + proxy directly follows proxy in sequence + proxy sigue directamente el proxy en la secuencia + proxy suit directement le proxy dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + Inverse of 'is directly included in proxy' object + property. + + proxy directly includes + proxy inclut directement + proxy incluye directamente + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy is directly included in' object + property. + + proxy directly includes proxy + proxy inclut directement le proxy + proxy incluye directamente el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record Resource to a Record Resource which + it precedes directly in some sequence (not necessarily defined or characterised + chronologically). + + proxy directly precedes in sequence + proxy precede directamente en la secuencia + proxy précède directement dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record Resource to a Proxy of another Record + Resource that it precedes directly in some sequence (not necessarily defined or + characterised chronologically). + + proxy directly precedes proxy in sequence + proxy precede directamente el proxy en la secuencia + proxy précède directement le proxy dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-04-01 + Added a second owl:subPropertyOf with target + 'proxyPrecedesProxyInSequenceTransitive'. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + Inverse of 'precedes proxy in sequence' object + property. + + proxy follows in sequence + proxy sigue en la secuencia + proxy suit dans la séquence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy recedes proxy in sequence transitive' object + property. + + proxy follows proxy in sequence transitive + proxy sigue el proxy en la secuencia transitivo + proxy suit le proxy dans la séquence transitif + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + Connects a Proxy to the Record Resource it stands for in the + context of a specific Record Resource. + + es proxy para + proxy for + proxy pour + + + 2025-03-04 + Changed the rdfs:comment to allow for a context of a Record + Resource of any kind, not only a Record Set. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + + + + + Inverse of 'is constituent of proxy' object + property. + + proxy a pour constituant + proxy has constituent + proxy tiene como elemento constitutivo + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy is constituent of proxy transitive' object + property. This is a transitive relation. + + proxy a pour constituant le proxy (transitif) + proxy has constituent proxy transitive + proxy tiene como elemento constitutivo el proxy + (transitivo) + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + Inverse of 'is direct constituent of proxy' object + property. + + proxy a pour constituant direct + proxy has direct constituent + proxy tiene como directo elemento constitutivo + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy is direct constituent of' object + property. + + proxy a pour constituant direct le proxy + proxy has direct constituent proxy + proxy tiene como directo elemento constitutivo el proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + Connects a Proxy to the Record Resource in which it stands for + (represents) another Record Resource. + + es proxy en + proxy dans + proxy in + + + 2025-03-04 + Changed the range and rdfs:comment to allow any Record + Resource, not only a Record Set. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects a Proxy to a Record in which it stands for (represents) a + Record Part or another Record. + + proxy dans l’objet informationnel + proxy en el documento + proxy in record + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + Connects a Proxy to a Record Set in which it stands for + (represents) a Record or another Record Set. + + proxy dans l’ensemble d’objets informationnels + proxy en la agrupación documental + proxy in record set + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + Inverse of 'is included in proxy' object property. + + proxy includes + proxy inclut + proxy incluye + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Inverse of 'proxy is included in proxy transitive' object + property. This is a transitive relation. + + proxy includes proxy transitive + proxy inclut le proxy (transitif) + proxy incluye el proxy (transitivo) + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + + + + Connects a Proxy of a Record or Record Part to a Record or Record + Part which it is a constituent of, directly or indirectly. + + proxy est un constituant de + proxy es un elemento constitutivo de + proxy is constituent of + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record or Record Part to a Proxy of another + Record or Record Part which it is a constituent of, directly or indirectly. This is a + transitive relation. + + proxy es elemento constitutivo del proxy (transitivo) + proxy est un constituant du proxy (transitif) + proxy is constituent of proxy transitive + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + + + + + Connects a Proxy of a Record or Record Part to another Record or + Record Part which the first is a direct constituent of. + + proxy es elemento constitutivo directo de + proxy est un constituant direct de + proxy is direct constituent of + + + 2025-04-02 + Fixed the owl:inverseOf property (was hasConstituentProxy). + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record or Record Part to a Proxy of another + Record or Record Part of which the first is a direct constituent. + + proxy es elemento constitutivo directo del proxy + proxy est un constituant direct du proxy + proxy is direct constituent of proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record or Record Set to another Record Set + which the first is directly included in. + + proxy está directamente incluido en + proxy est directement inclus dans + proxy is directly included in + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record or Record Set to a Proxy of a Record + Set which it is directly included in. + + proxy está directamente incluido en el proxy + proxy est directement inclus dans le proxy + proxy is directly included in proxy + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + Connects a Proxy of a Record or Record Set to a Record Set which + it is included in, directly or indirectly. + + proxy está incluido en + proxy est inclus dans + proxy is included in + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record or Record Set to a Proxy of a Record + Set which it is included in, directly or indirectly. This is a transitive + relation. + + proxy está incluido en el proxy (transitivo) + proxy est inclus dans le proxy (transitif) + proxy is included in proxy transitive + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + + + + Connects a Proxy of a Record Resource to a Record Resource which + the first precedes directly or indirectly in some sequence (not necessarily defined or + characterised chronologically). + + proxy précède dans la séquence + proxy precede en la secuencia + proxy precedes in sequence + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + + + Connects a Proxy of a Record Resource to a Proxy of another Record + Resource which directly or indirectly follows the first in some sequence (not necessarily + defined or characterised chronologically). This is a transitive relation. + + proxy precede el proxy en la secuencia (transitivo) + proxy précède le proxy dans la séquence (transitif) + proxy precedes proxy in sequence transitive + + + 2025-04-02 + Added the French and Spanish labels. + + + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + + + + + + + Connects a RecordResourceGeneticRelation to itself. It is a + property that can stand for an instance of the class when necessary, e.g. when you explore + a knowledge graph. + + a le rôle de la Relation génétique entre des ressources + archivistiques + desempeña el papel de la Relación genética entre recursos + documentales + has the role of the Record Resource Genetic Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the RecordResourceGeneticRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the RecordResourceGeneticRelation + class. It should be used only when you have to manage instances of the + RecordResourceGeneticRelation class, to connect each instance to itself, in order to be + able to infer, using OWL-RL and property paths, the two shortcuts corresponding to this + n-ary class. + + + + + + + + Connects a Record Resource to a Record Resource, when the second + one is used as a source of information for producing the content of the first + one. + + est une ressource archivistique qui a pour source + d’information + Record Resource has source of information + recurso documental tiene como fuente de información + + + 2025-01-17 + Object property added in RiC-O 1.1, with its inverse one. It + replaces, as concerns Record Resources, the former 'hasSource' object property, that + was available in RiC-0 0.1 and RiC-O 0.2, and was removed in RiC-O 1.0. + + + Can be used, for example, to connect a Record that has + documentary form type Authority Record or Finding Aid, and a Record Resource used as a + source of information for it. Not to be confused with the 'hasGeneticLinkToRecordResource' + object property. + + + + + + + Connects a RecordResourceHoldingRelation to itself. It is a + property that can stand for an instance of the class when necessary, e.g. when you explore + a knowledge graph. + + a le rôle de la Relation entre agents et ressources archivistiques + ou instanciations conservées + desempeña el papel de la Relación entre agentes y recursos + documentales que conservan + has the role of the Record Resource Holding Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-12-30 + Fixed a typo in the French label. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the RecordResourceHoldingRelation rolified + class. Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the RecordResourceHoldingRelation + class. It should be used only when you have to manage instances of the + RecordResourceHoldingRelation class, to connect each instance to itself, in order to be + able to infer, using OWL-RL and property paths, the two shortcuts corresponding to this + n-ary class. + + + + + + + Connects a RecordResourceToInstantiationRelation to itself. It is + a property that can stand for an instance of the class when necessary, e.g. when you + explore a knowledge graph. + + a le rôle de la Relation d’instanciation + desempeña el papel de la Relación de recurso documental a + instanciación + has the role of the Record Resource to Instantiation + Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the RecordResourceToInstantiationRelation + rolified class. Declared it as reflexive. Declared it(s) + superproperty(ies). + + + This property "rolifies" the + RecordResourceToInstantiationRelation class. It should be used only when you have to manage + instances of the RecordResourceToInstantiationRelation class, to connect each instance to + itself, in order to be able to infer, using OWL-RL and property paths, the two shortcuts + corresponding to this n-ary class. + + + + + + + Connects a RecordResourceToRecordResourceRelation to itself. It is + a property that can stand for an instance of the class when necessary, e.g. when you + explore a knowledge graph. + + a le rôle de la Relation entre ressources + archivistiques + desempeña el papel de la Relación entre recursos + documentales + has the role of the Record Resource to Record Resource + Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the RecordResourceToRecordResourceRelation + rolified class. Declared it as reflexive. Declared it(s) + superproperty(ies). + + + This property "rolifies" the + RecordResourceToRecordResourceRelation class. It should be used only when you have to + manage instances of the RecordResourceToRecordResourceRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Rule to a Thing that it regulates or + regulated. + + regula o regulaba + regulates or regulated + régule ou a régulé + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI (changed made in + order to make RiC-O compliant with RiC-CM 0.2; the name of this property in RiC-O 0.1 + was "regulates"). + + + RiC-R063 ('regulates or regulated' + relation) + + + + + + + + Connects an n-ary Relation to any of the Things + involved. + + relación conecta + relation connecte + relation connects + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects an n-ary Relation to a Thing that is a secondary, + contextual entity during the existence of the Relation. + + relación tiene como contexto + relation a pour contexte + relation has context + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + The secondary entity may be, for instance, a Position or a Role + Type. + + + + + + + + + Connects an n-ary Relation to a Date. + + relación tiene como fecha + relation a pour date + relation has date + + + 2025-03-13 + Added French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + + Connects an n-ary Relation to a Thing that is its + source. + + relación tiene como fuente + relation a pour source + relation has source + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects an n-ary Relation to a Thing that is its + target. + + relación tiene como objetivo + relation a pour cible + relation has target + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + Connects a Relation to itself. It is a property that can stand for + an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation + desempeña el papel de la Relación + has the role of the Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the Relation rolified class. Declared it + as reflexive. + + + This property "rolifies" the generic Relation class. It should + be used only when you have to manage instances of this Relation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + Inverse of 'was merged into' object property. + + resultado de la fusión de + résulte de la fusion de + resulted from the merger of + + + 2024-03-15 + Make capitalisation of rdfs:comment consistent. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-06-21 + Object property created in order to enable an accurate + representation of mergers between corporate bodies. + + + + + + + + + + Inverse of 'was split into' object property. + + resultado de la separación de + résulte de la séparation de + resulted from the split of + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-06-21 + Object property created in order to enable an accurate + representation of the split of a corporate body into two or more new corporate + bodies. + + + + + + + + + + Inverse of 'results or resulted in' object + property. + + resulta o resultaba + résulte ou a résulté de + results or resulted from + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "resultsFrom"). + + + RiC-R061i ('results or resulted from' + relation) + + + + + + + + Connects an Event to a Thing that results or resulted from the + Event. + + a ou a eu pour résultat + results or resulted in + tiene o tenía como resultado a + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + 2021-01-22 + changed the IRI, label, inverse property IRI, text definition + (changed made in order to make RiC-O compliant with RiC-CM 0.2; the name of this + property in RiC-O 0.1 was "resultsIn"). + + + RiC-R061 ('results or resulted in' + relation) + + + + + + + + Connects a Role Type to a Creation Relation (this Role Type being + the specific role played by the creating Person in the context of this + Relation). + + rôle est le contexte de la relation de création + role is context of creation relation + rol es contexto de relación de creación + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects a RuleRelation to itself. It is a property that can stand + for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation impliquant une règle + desempeña el papel de la Relación con regla + has the role of the Rule Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the RuleRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the RuleRelation class. It should be + used only when you have to manage instances of the RuleRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + Connects a SequentialRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation séquentielle + desempeña el papel de la Relación secuencial + has the role of the Sequential Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the SequentialRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the SequentialRelation class. It should + be used only when you have to manage instances of the SequentialRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a SiblingRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de fratrie + desempeña el papel de la Relación familiar entre + hermanos + has the role of the Sibling Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the SiblingRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the SiblingRelation class. It should be + used only when you have to manage instances of the SiblingRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + Connects a SpouseRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation matrimoniale + desempeña el papel de la Relación matrimonial entre + personas + has the role of the Spouse Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the SpouseRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the SpouseRelation class. It should be + used only when you have to manage instances of the SpouseRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + + + + + + Connects a Person to an educational institution at which they + studied or study. Both 'institution' and 'at' can be interpreted broadly. + + estudia o estudió en + étudie ou a étudié à + studies or studied at + + + 2024-12-23 + Added the French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + Connects a StudyAtRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation entre institution d’enseignement et + étudiants + desempeña el papel de la Relación entre institución educativa y + estudiantes + has the role of the Study At Relation + + + 2024-12-23 + Added the French and Spanish labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + Connects a TeachingRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation entre enseignants et étudiants + desempeña el papel de la Relación académica entre profesor y + alumno + has the role of the Teaching Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the TeachingRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the TeachingRelation class. It should + be used only when you have to manage instances of the TeachingRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a TemporalRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation temporelle + desempeña el papel de la Relación temporal + has the role of the Temporal Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the TemporalRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the TemporalRelation class. It should + be used only when you have to manage instances of the TemporalRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + + Connects a Thing to an n-ary Relation. + + chose est connectée à la relation + cosa está conectada con relación + thing is connected to relation + + + 2023-12-30 + Fixed a typo in the French label. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + + + + + + Connects a Thing (that is a secondary, contextual entity during + the existence of the Relation) to an n-ary Relation. + + chose est le contexte de la relation + cosa es contexto de relación + thing is context of relation + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + + + + + + Connects a Thing (that is the source of a Relation) to a + Relation. + + chose est la source de la relation + cosa es fuente de relación + thing is source of relation + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + + + + + + Connects a Thing (that is the target of a Relation) to an n-ary + Relation. + + chose est la cible de la relation + cosa es objetivo de relación + thing is target of relation + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + + + + + Connects a TypeRelation to itself. It is a property that can stand + for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de catégorisation + desempeña el papel de la Tipo de relación + has the role of the Type Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the TypeRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the TypeRelation class. It should be + used only when you have to manage instances of the TypeRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + + Connects an Instantiation to another Instantiation of which it was + a component in the past. + + a été le composant de + era componente de + was component of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between instantiations (the + current partitive relations being also added, including a transitive + one). + + + + + + + + + + + + + + + + + + + + + + + + + Connects a Record or Record Part to another Record or Record Part + of which it was a constituent in the past. + + a été un constituant de + era elemento constitutivo de + was constituent of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-10-26 + Added RecordPart to the range. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between Record and Record or + Record Part (the current partitive relations being also added, including a transitive + one). + + + + + + + + + + + Connects a Place to a Place within which it was + contained. + + a été contenu par + estaba contenido en + was contained by + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the description (rdfs:comment) and labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between places (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + + + + + + + + + Connects a Record to a Record or Record Set in which it was + included in the past. + + a été inclus dans + estaba incluido en + was included in + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between Record Sets and their + members (the current partitive relations being also added, including a transitive + one). + + + + + + + + + + Connects a Thing to the Date when it was last + modified. + + a pour date de dernière mise à jour + fue actualizado por última vez en fecha + was last updated at date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects a Corporate Body to another Corporate Body that is the + result of a merger of the previous one with one to many other corporate + bodies. + + a été fusionné dans + se fusionó en + was merged into + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-06-21 + Object property created in order to enable an accurate + representation of mergers between corporate bodies. + + + + + + + + + + Connects a Thing to a Thing of which it was a constitutive or + component part in the past. + + a fait partie de + era parte de + was part of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-07-12 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between things (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + Connects a Corporate Body to one of the Corporate Bodies that + results from the split of the previous one into two to many corporate + bodies. + + a été séparé en + se separó en + was split into + + + 2023-11-12 + Updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-06-21 + Object property created in order to enable an accurate + representation of the split of a corporate body into two or more new corporate + bodies. + + + + + + + + + + + + Connects a subdivision to the Group it was a part of in the + past. + + a été une subdivision de + era subdivisión de + was subdivision of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past partitive relations between Groups (the current + partitive relations being also added, including a transitive one). + + + + + + + + + + + Connects a past Event to the broader Event of which it was a + part. + + a été un événement constitutif de l'événement + era parte de evento de + was subevent of + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express partitive relations between past Events (the partitive + relations between ongoing events being also added, including a transitive + one). + + + + + + + + + + Connects an Agent to an Agent that was hierarchically superior in + the past. + + a été subalterne de + estaba subordinado(a) a + was subordinate to + + + 2023-11-27 + Added a new rdfs:label in Spanish. + + + + + 2023-11-12 + Updated the labels. + + + + + 2023-09-08 + Object property added, along with its inverse property, in + order to enable to express past subordination relations between Agents (the current + subordination relations being also added, including a transitive one). + + + + + + + + + + Connects an Appellation to the Date from which it was + used. + + a été utilisé à partir de la date + fue usado desde + was used from date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made this property subPropertyOf hasBeginningDate. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + + Connects an Appellation to the Date till when it was + used. + + a été utilisé jusqu’à la date + fue usado hasta + was used to date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-19 + Made this property subPropertyOf hasEndDate. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + + + + + + + Connects a WholePartRelation to itself. It is a property that can + stand for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation partitive + desempeña el papel de la Relación entre todo y parte + has the role of the Whole Part Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the WholePartRelation rolified class. + Declared it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the WholePartRelation class. It should + be used only when you have to manage instances of the WholePartRelation class, to connect + each instance to itself, in order to be able to infer, using OWL-RL and property paths, the + two shortcuts corresponding to this n-ary class. + + + + + + + Connects a WorkRelation to itself. It is a property that can stand + for an instance of the class when necessary, e.g. when you explore a knowledge + graph. + + a le rôle de la Relation de travail + desempeña el papel de la Relación profesional + has the role of the Work Relation + + + 2024-08-02 + Removed global reflexivity (leads to + inconsistency). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: created + the object property, with domain and range the WorkRelation rolified class. Declared + it as reflexive. Declared it(s) superproperty(ies). + + + This property "rolifies" the WorkRelation class. It should be + used only when you have to manage instances of the WorkRelation class, to connect each + instance to itself, in order to be able to infer, using OWL-RL and property paths, the two + shortcuts corresponding to this n-ary class. + + + + + + + + + + + Information on the anticipated accession(s) to the Record + Set. + + accroissements + accruals + ingresos + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, skos:scopeNote, examples + (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Accruing - there is an agreement with the creator that additional + snapshots of their email directory will be accessioned at yearly intervals + Non-accruing + Unknown + See also accrualsStatus + corresponds to RiC-A01 (Accruals + attribute) + + + + + + Information on the status of possible accruals + + accruals status + estado de los ingresos + statut des accroissements + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, description (rdfs:comment), + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + scope note : updated. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + A text statement or single words such as “Closed” to indicate + that no additional Record Resource will (or is anticipated to) be added to the Record Set; + “Open” to indicate that additional records or record sets will (or are expected to) be + added to the Record Set; or “Unknown” to indicate that this information is not available, + for example. See also accruals + specialization of RiC-A01 (Accruals + attribute) + + + + + + + + + + + + + + A date at which a Record Resource or Instantiation was or will be + accumulated. + + accumulation date + date d’accumulation + fecha de acumulación + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of 'hasAccumulationDate', which is + provided for usability reasons. May be deprecated and removed later on. Use only if you + don’t use Date classes for handling dates. + + + + + + + Date at which all of the present or past members of a Record Set + were or will be accumulated. + + all members with accumulation date + des membres ayant tous pour date d’accumulation + todos sus miembros como fecha de acumulación + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadAllMembersWithAccumulationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + + + + + + + Date at which all of the present or past members of a Record Set + were or will be created. + + all members with creation date + des membres ayant tous pour date de création + todos sus miembros como fecha de creación + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadAllMembersWithCreationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + RiC-R081i ('has or had all members with creation + date' relation). + + + + + + + Reference system used for altitude + + altimetric system + sistema altimétrico + système altimétrique + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + The height of a Place above a reference level, especially above + sea level. + + altitud + altitude + altitude + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Property of the Coordinates class. If you don't use this class, + use geographicalCoordinates property, a property of Place class. + + + + + + + + + + + + + + Information on the evidence that a Record Resource or + Instantiation is what it purports to be, was created or sent by the said Agent at the said + time, and has not been tampered with, corrupted, or forged. + + authenticity note + nota de autenticidad + note sur l’authenticité + + + 2025-01-17 + Made this property a subproperty of the new rico:note datatype + property. Slightly modified its definition (rdfs:comment). + + + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + examples added. Objective: to make RiC-O compliant with RiC-CM + v0.2. + + + The deed is digitally signed by the Notary. The electronic + signature validity cannot be assessed, but the content was not modified from the moment of + signing. + The letter is unsigned. + The record bears signatures. + The timestamp exists but cannot be verified. + May be used in a Record Set description when its value is shared + by some or all members of the Record Set. For digital records, it may include results from + automated means of checking the validity of signatures and timestamp. In particular cases + it may be contextually related to the state attribute, for example, a document can be an + original or a copy, either of which can be authentic or a forgery. + Corresponds to RiC-A03 (Authenticity Note + attribute) + + + + + + + Information on a Mandate that authorizes an Agent to perform an + Activity. + + authorizing mandate + mandat + norma de control + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use the Mandate class for handling + mandates. + + + + + + + Date at which something began. + + beginning date + date de début + fecha de inicio + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date at which a Person was born. + + birth date + date de naissance + fecha de nacimiento + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Number of physical units and/or physical dimensions of the carrier + of an Instantiation. In order to manage an Instantiation of a record resource it is + necessary to note the extent of the carrier as well as that of the Instantiation itself. + Whether it is necessary to note dimensions, the number of relevant units, or both, depends + on the nature of the carrier and particular business needs. + + carrier extent + extensión del soporte + mesure du support + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + 1 page + 3 GB (1 USB key) + 32.5 x 49 cm (piece of parchment) + For digital resources, it may be used to indicate the size of + storage capacity (disk, tape, film, etc.). Carrier extent should not be confused with + instantiation extent or record resource extent. For a given Record Resource, the + instantiation extent may vary, based on format, density of information on the carrier, etc. + For example, a CD with a storage capacity of 700 MB (carrier extent) might hold a record of + 1500 words (record resource extent) represented in two versions, one a Word document with + an instantiation extent of 3 KB and the other a PDF file with an instantiation extent of 5 + KB. + Corresponds to RiC-A04 (Carrier Extent + attribute) + + + + + + A term, number or alphanumeric string that is usually taken from + an external classification vocabulary or scheme that qualifies a Record + Resource. + + clasificación + classification + classification + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + BUD-01-F002 (classification number from a corporate file + plan) + digitized items + financial affairs + human resource management + student registration + May be used in a Record Set description when its value is shared + by some or all members of the record set. This datatype property is not to be confused with + Identifier although, in some cases, the information may be the same. + Corresponds to RiC-A07 (Classification + attribute) + + + + + + + + + + + + + Terms and circumstances affecting the availability of a Record + Resource or an Instantiation for consultation. + + condiciones de acceso + conditions d’accès + conditions of access + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Acceso libre a través de los terminales de consulta + Closed as awaiting conservation treatment + Closed for 30 years + Closed under data protection legislation + Open + Recognita software, min. version 3.0, is needed in order to open + the file + The Archives cannot provide VHS reader to access the content of + the tape + May be used in a Record Set description when its value is shared + by some or all members of the Record Set. The attribute provides information about the + accessibility of a Record Resource, as well as the physical, technical or legal limitations + that exist for providing access to it. + Corresponds to RiC-A08 (Conditions of Access + attribute) + + + + + + + + + + + + + Terms and circumstances affecting the use of a Record Resource or + an Instantiation after access has been provided. Includes conditions governing reproduction + of the Record Resource under applicable copyright (intellectual property) and/or property + legislation or due to conservation status. + + condiciones de uso + conditions d’utilisation + conditions of use + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + Cannot be copied using warm light copying machines or photographed + using flashlight + Permission of the copyright owner must be obtained before + use + May be used in a Record Set description when its value is shared + by some or all members of the Record Set. + Corresponds to RiC-A09 (Conditions of Use + attribute) + + + + + + + + + + + + + + Date at which a Record Resource or Instantiation was or will be + created. + + creation date + date de création + fecha de creación + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Narrowed the domain to match 'hasCreationDate'. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + Chronological information associated with an entity that + contributes to its identification and contextualization. + + date + date + fecha + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons, like its subproperties. May be + deprecated and removed later on. Use only if you don't use Date classes for handling + dates. + Datatype property implementation of RiC-E18 (Date + entity) + + + + + + A human readable qualification of a Date to indicate the level of + precision or certainty. + + calificador de fecha + date qualifier + qualificatif de la date + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-10 + Updated the rdfs:comment, skos:scopeNote and examples, in order + to make this datatype property fully compliant with RiC-CM 1.0 + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + examples added. Objective: to make RiC-O compliant with RiC-CM + v0.2. + + + approximate + circa + end unknown + Most often, this human readable expression of the accuracy of + the date is used along with an ISO 8601 representation of the date. The qualifier can also + be expressed as a machine-readable value, using the EDTF standard (thus, a specialization + of the normalizedDateValue datatype property). + Corresponds to RiC-A13 (Date Qualifier + attribute) + + + + + + + Date at which a Person died. + + date de décès + death date + fecha de muerte + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date at which an Instantiation was or will be derived from another + Instantiation. + + date de dérivation + derivation date + fecha de derivación + + + 2025-03-01 + Added in RiC-O 1.1. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + + + + + + + + Date at which a Record Resource or Instantiation was or will be + destructed. + + date de destruction + destruction date + fecha de destrucción + + + 2025-02-19 + Changed domain and definition (added "or will be"). + + + + + 2023-11-12 + Added a new rdfs:label in Spanish. + + + + + 2023-10-12 + Renamed deletion into destruction. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date at which something ended. + + date de fin + end date + fecha final + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + + Natural language expression of a date. This property is a + specialization of the name property. In order that the precise meaning of the date can be + understood, information such as the calendar used or other specific context should be + included. + + date en langage naturel + expressed date + fecha expresada + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-10 + Updated the rdfs:comment and skos:examples in order to make + this property fully compliant with RiC-CM 1.0. Made it a subproperty of + rico:name. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + examples added. Objective: to make RiC-O compliant with RiC-CM + v0.2. + + + 15 thermidor an IV (calendrier révolutionnaire + français) + 1550-1553, 1555 (date range) + 1925-1966 (date range) + 8 avril 1258 (a. st., style de Pâques) + All of the years 1550, 1551, 1553, 1555 + Die jovis ultima mensis martii anno domini millesimo quingentesimo + quadragesimo ante Pascha + October 24, 1999 (month day, year) + One of the years 1550, 1551, 1553, 1555 + The Middle Ages + The second semester of 1951 to 1952 (academic reference + system) + XVIIe siècle + Corresponds to RiC-A19 (Expressed Date + attribute) + + + + + + General information about an entity. General description may be + used to describe any entity. There are different appropriate uses for general description. + First, while it is recommended that more specific properties be used in describing an + entity, it may be desirable, for economic or other reasons, to describe two or more + specific properties together. Second, general description may be used to describe one or + more characteristics that are not otherwise accommodated in RiC-O. Third, it may be used to + provide a succinct summary or abstract description in addition to more detailed specific + description. + + descripción general + description générale + general description + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, description (rdfs:comment), examples + (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Le massif du Mont-Blanc est un massif des Alpes partagé entre la + France, l'Italie et la Suisse. Il abrite le mont Blanc, plus haut sommet d'Europe + occidentale qui culmine à 4 809 mètres (altitude relevée en 2015). Il est traversé par le + tunnel du Mont-Blanc, entre Chamonix dans la vallée de l'Arve et Courmayeur dans la vallée + d'Aoste. + The Senate is the academic governing body of the University of + Strathclyde and is responsible for all academic matters including academic standards and + quality. Meetings of the Senate are chaired by the Principal and the membership is drawn + entirely from within the University, comprising academic and research staff. (about a + corporate body, University of Strathclyde Senate) + This activity involves regulating the nursing profession by + conducting examinations and on-going education for nurses, maintaining rolls of those + qualified as enrolled or registered nurses, midwives, psychiatric, and other specialised + nurses. It also covers hearing disciplinary charges against nurses (and where necessary, + removing them temporarily or permanently from the registers), as well as promoting the + nursing profession. (about an activity, Nursing Profession Regulation) + Thomas Blaikie (1750-1838) est un botaniste et jardinier écossais. + Il a dessiné notamment les jardins de Malmaison et Bagatelle. + Corresponds to RiC-A43 (General Description + attribute) + + + + + + + Reference system used for geographical coordinates. + + geodesic system + sistema geodésico + système géodésique + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + Longitudinal and latitudinal information about a Place. + + coordenadas geográficas + coordonnées géographiques + geographical coordinates + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Latitude 35.89421911, Longitude 139.94637467 (ISO + 6709/F) + Latitude 50°40′46,461″N, Longitude 95°48′26,533″W, Height 123,45m + (ISO 6709/D) + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use PhysicalLocation and Coordinates classes with Place. + Coordinates may be based on ISO 6709 Standard representation of geographic point location + by coordinates. + Corresponds to RiC-A11 (Coordinates + attribute) + + + + + + + Vertical dimension of an entity. + + altura + hauteur + height + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + + + Summary of the development of an entity throughout its + existence. + + histoire + historia + history + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, domain, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Domains updated. Examples added. Objective: to make RiC-O + compliant with RiC-CM v0.2. + + + El primer sorteo de lotería se celebró el 13 de mayo de 1771, + siendo desarrollado por la Real Lotería General de Nueva España… (sobre una + actividad) + Nacido en Barbastro en 1892, donde realizó sus primeros estudios + con los escolapios. Licenciado en Derecho por la Universidad de Zaragoza, aprobó las + oposiciones al cuerpo nacional de notarios… (sobre una persona) + The manuscripts are part of the collections of Robert Harley (d + 1724) and Edward Harley (d 1741), 1st and 2nd Earls of Oxford, that were brought by + Parliament and transferred to the British Museum in 1753. Those materials were then + separated into this collection and those for Harley Charters and Harley Rolls and became + part of the collections of the British Library in 1972. (about a Record Set) + For a record set, may be used to summarize the history of the + Record Set itself, or additionally to summarize the history of some or all members of the + Record Set. Should not be confused with the scope and content property. + Corresponds to RiC-A21 (History + attribute) + + + + + + A word, number, letter, symbol, or any combination of these used + to uniquely identify or reference an individual instance of an entity within a specific + information domain. Can include Global Persistent Identifiers (globally unique and + persistently resolvable identifier for the entity) and/or Local Identifiers. Both the + domain within which the identifier is unique, and the rules used in forming the identifier + value should be provided with the identifier value. + + identifiant + identificador + identifier + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + B-000091 (example of a unique identifier for an instantiation + assigned by a repository) + BUD-01-F002 (example of a classification number from a corporate + file plan) + F 1204 (example of a local identifier for a record set assigned by + a repository) + NAS1/A/1.1 (example of a local identifier for a + record) + http://isni.org/0000000073572182 (example of a persistent + International Standard Name Identifier for a person) + http://n2t.net/ark:/99166/w6tz44ht (example of an Archival + Resource Key for a person) + http://n2t.net/ark:/99166/w6v1266v (example of an Archival + Resource Key for a record) + Use only if you don't use Identifier class for handling + identifiers. Within a given domain (a closed system), identifiers are used to uniquely + reference instances of an entity. Identifiers are instruments of control that facilitate + management of the entities within the domain. The formulation of identifiers commonly is + based on rules. In addition to an identifier needing to be unique within a domain, it is + also highly desirable that it be persistent, that is, that the identifier uniquely + identifies the entity over time. A variety of organizations provide rules for the formation + of identifiers, and services designed to facilitate the persistence of identifiers. Such + identifiers are commonly referred to as Persistent Identifiers (or PIDs). PIDs conform to + RFC 3986, but impose additional rules. Common examples are Archival Resource Keys (ARKs) + and Digital Object Identifiers (DOIs). Within the global environment of the Internet, there + are special rules for the formation of identifiers to ensure that they are unique within + the domain of the Internet. Such identifiers must conform to the Internet Engineering Task + Force (IETF) Uniform Resource Identifier rules (RFC 3986). + Corresponds to RiC-A22 (Identifier + attribute) + + + + + + + Countable characteristics of an Instantiation expressed as a + quantity. + + Instantiation extent + mesure de l’instanciation + soporte de instanciación + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Scope note updated. Examples added. Objective: to make RiC-O + compliant with RiC-CM v0.2. + + + 234 linear metres + Size of PDF file: 1.5 MB + The register has 345 written folios + Instantiation extent should not be confused with record resource + extent or carrier extent. For a given Record Resource, the instantiation extent may vary, + based on format, density of information on the carrier, etc. For example, a CD with a + storage capacity of 700 MB (carrier extent) might hold a record of 1500 words (record + resource extent) represented in two versions, one a Word document with an instantiation + extent of 3 KB and the other a PDF file with an instantiation extent of 5 + KB. + Corresponds to RiC-A23 (Instantiation Extent + attribute) + + + + + + + Information about the physical arrangement and composition of an + Instantiation. + + estructura de la instanciación + Instantiation structure + structure de l’instanciation + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition fixed. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + Specialization of RiC-A40 (Structure + attribute) + + + + + + + Information about the known intellectual completeness of a Record + Resource. + + integrity note + nota de integridad + note sur l'intégrité + + + 2025-01-17 + Made this property a subproperty of the new rico:note datatype + property. + + + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, description (rdfs:comment), + skos:scopeNote, domain, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Scope note and examples added. Objective: to make RiC-O + compliant with RiC-CM v0.2. + + + A web page (HTML, 15 images, 2 CSS, 1 javascript), with 5 images + missing. + For record set: series of letters, one is missing so the integrity + is compromised. + Line three of a hand-written letter was cut out and a replacement + text was inserted by an unknown person. + Part of the text is missing (because a corner on the instantiation + was cut out, which is a physical characteristic). See also the examples of + physicalCharacteristics. + May be used in a Record Set description when its value is shared + by some or all members of the Record Set. The information about integrity may be generated + manually or automatically. Not to be confused with the physical completeness of the + instantiation, which is covered by the physical characteristics note attribute. The + integrity of a Record Resource and the physical characteristics note of an Instantiation + may be complementary. This attribute also covers any additions to or removal of original + information. + Corresponds to RiC-A24 (Integrity Note + attribute) + + + + + + + Date at which an entity was last updated. + + date de dernière modification + fecha de última modificación + last modification date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Distance in degrees north or south of the equator. + + latitud + latitude + latitude + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Property of the Coordinates class. If you don't use this class, + use geographicalCoordinates property, a property of Place class. + + + + + + + Length of an entity. + + length + longitud + longueur + + + 2023-11-12 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added for enabling to describe entities that have such a + dimension. + + + May be used, among other cases, for storing the length of some + places like streets. + + + + + + A delimitation of the physical territory of a Place. Used to + describe basic human-readable text such as an address, a cadastral reference, or less + precise information found in a Record. + + localisation + localización + location + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + 25 rue Saint-Denis à Paris + Montreal (city in Canada) + Use only if you don't use PhysicalLocation class with Place. Use + the geographicalCoordinates property, or the Coordinates class, to record the geographical + coordinates of the Place. Use the spatial relations (particularly 'has or had location') to + capture a relation between two places. + Corresponds to RiC-A27 (Location + attribute) + + + + + + + Distance in degrees east or west of a prime + meridian. + + longitud + longitude + longitude + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Property of the Coordinates class. If you don't use this class, + use geographicalCoordinates property, a property of Place class. + + + + + + The extent, quantity, amount, or degree of an entity, as + determined by measurement or calculation. + + measure + medida + mesure + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + Date at which an Instantiation was or will be + migrated. + + date de migration + fecha de migración + migration date + + + 2025-03-01 + Removed 'Record Resource' from the definition and made the + property a subproperty of the new 'derivationDate' property. + + + + + 2025-02-19 + Added in RiC-O 1.1. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date of the modification of an entity. + + date de modification + fecha de modificación + modification date + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date at which most of the present or past members of a Record Set + were or will be accumulated. + + des membres dont la plupart ont pour date + d’accumulation + la mayoría de sus miembros como fecha de acumulación + most members with accumulation date + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadMostMembersWithAccumulationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + + + + + + + Date at which most of the present or past members of a Record Set + were or will be created. + + des membres dont la plupart ont pour date de création + la mayoría de sus miembros como fecha de creación + most members with creation date + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadMostMembersWithCreationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + RiC-R083i ('has or had most members with creation + date' relation). + + + + + + A label, title or term designating an entity in order to make it + distinguishable from other similar entities. + + name + nom + nombre + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + D-Day (about a Date or Event) + Digital copy of the Pomarius archival inventory from 1575 (about + an Instantiation) + Fundraising, University of Glasgow (about an + Activity) + Halloween 2016 (about a Date) + Nelson Mandela (about a Person) + Papers of the Earls of Liverpool (about a Record + Set) + Paris (about a Place) + Prime Minister (about a Position) + Providing hearing services (about an Activity) + Sketch Map of the Qatar Peninsula (about a Record) + The Letter of Neacsu from Campulung to the Mayor of Brasov (about + a Record) + Use only if you don't use Name class for handling names. + Provides brief information about the content or other individual characteristics of the + entity being described, necessary to distinguish it from other perhaps similar + entities. + Corrresponds to RiC-A28 (Name + attribute) + + + + + + + Machine readable representation of the date based on a public + technical standard. + + normalized date value + valeur normalisée de la date + valor normalizado de fecha + + + 2024-09-02 + Fixed a typo in two of the EDTF examples. + + + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the examples + (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-10 + Updated the rdfs:comment and examples, and added a scopeNote, + in order to make this property fully compliant with RiC-CM 1.0. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Examples added. Objective: to make RiC-O compliant with RiC-CM + v0.2. + + + 1550,1551,1553,1555 (a date set in EDTF, meaning one of the years + 1550, 1551, 1553, 1555) + 1948-03 (an ISO 8601 form of a single date) + 1948-03-08 (an ISO 8601 form of a single date) + 1948-03~ (a single date in ETDF, meaning March 1948 + approximately) + 1948/ (a date range in EDTF, starting in 1948, end + unknown) + 1948/.. (an open date range in EDTF, starting in + 1948) + 2012-02-14/2015-03-08 (an ISO 8601 form of a date + range) + 2012/2015-03 (an ISO 8601 form of a date range) + {1550,1551,1553,1555} (a date set in EDTF, meaning all of the + years 1550, 1551, 1553, 1555) + {1805,1815..1820} (a date set in EDTF, meaning all of the years + 1805, 1815, 1816, 1817, 1818, 1819, 1820) + Used to represent the date in a standardized format that can be + processed programmatically. The main standard used today is ISO 8601, which is based on the + Gregorian calendar. See also the Extended Date Time Format (EDTF), which is an extension of + ISO 8601, and enables, among other features, to represent a date set, and to indicate the + date is approximate. + Corresponds to RiC-A29 (Normalized Date + attribute) + + + + + + + + + + + + + + Value representation based on a standard, preferably + machine-readable. + + normalized value + valeur normalisée + valor normalizado + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + A short textual statement, that gives a little information on a + specific feature of a Thing. + + nota + note + note + + + 2025-01-17 + Added in RiC-0 1.1, as a superproperty of any possible kind of + note. + + + Not to be confused with the rico:generalDescription datatype + property, which is used to provide a textual description of a Thing. Use the subproperties + of rico:note when they are appropriate. + + + + + + + Information about the physical features, completeness, or + conservation status of an Instantiation. Includes information about the physical nature and + condition such as conservation status or the deterioration of an Instantiation (for example + its carrier) affecting the ability to recover information. + + nota sobre las características físicas + note sur les caractéristiques physiques + physical characteristics note + + + 2025-01-17 + Made this property a subproperty of the new rico:note datatype + property. + + + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, description (rdfs:comment), + skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + A web page (HTML, 15 images, 2 CSS, 1 JavaScript), with 1 CSS + missing. + British Library binding + Digital file format: JPEG-2000 + For carrier: hard drives on which the author wrote physically + (using a pen). + Letter physical characteristics: corner without text missing – the + carrier is damaged, but no information of the content is missing + The charter is missing the seal. + Watermarked + carrier heavily foxed + some loss of text due to rodent damage + Not to be confused with the intellectual completeness of a + Record Resource and its sub-entities, which is covered by the Integrity attribute. May + include digital file fixity. + Corresponds to RiC-A31 (Physical Characteristics + Note attribute) + + + + + + + + + + + + + Countable characteristics of the content of an entity expressed as + a quantity. + + importance physique ou logique + physical or logical extent + soporte físico o lógico + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. Use only if you cannot use the + subproperties (particularly if the same free text is being used in your current metadata + for describing the record resource, carrier and instantiation extent). + + + + + + The method used in the representation of information on an + Instantiation. + + production technique + technique de production + técnica de produccióon + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Examples added. Objective: to make RiC-O compliant with RiC-CM + v0.2. + + + engraving + handwriting + magnetic recording + optical recording + Use only if you have free text or don't have a controlled + vocabulary for production techniques (in this case, use the ProductionTechniqueType + class) + Corresponds to RiC-A33 (Production Technique + attribute) + + + + + + + Date of the publication, in the past or in the future, of a Record + Resource. + + date de publication + fecha de publicación + publication date + + + 2025-02-19 + Changed definition (added "in the past or in the + future"). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Characteristics of an Instantiation that affect the ability to + recover the intellectual content. Such characteristics may be related to the methods used + in creating the Instantiation or introduced subsequent to the creation through + accident. + + nota sobre la calidad de representación + note sur la qualité de la représentation + quality of representation note + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the IRI, mapping to RiC-CM + (rico:RiCCMCorrespondingComponent), labels, description (rdfs:comment), + skos:scopeNote, rdfs:subpropertyOf. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + Black and white digitization may have led to loss of some + information. + some loss of information due to poor quality of image + capture + some loss of text due to rodent damage + Quality of representation note is a specialization of physical + characteristics note. Quality of representation note should be used in conjunction with + physical characteristics note when the physical characteristics impact the ability to + recover the intellectual content. + Corresponds to RiC-A34 (Quality of Representation + Note attribute) + + + + + + + Machine-readable quantity. + + cantidad + quantité + quantity + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added an xml:lang attribute to the rdfs:comment. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Added a scope note. + + + + + 2020-10-28 + Datatype property created along with unitOfMeasurement, Extent + and UnitOfMeasurement classes, in order to provide methods for handling extent + accurately. + + + Use if you use the Extent class and its properties for handling + an accurate description of the extent of a resource. + + + + + + + + + + + + + + The rank of a Record Resource, or of a Proxy that stands for it, + in a hierarchy. + + rang dans la hiérarchie + rango en la jerarquía + rank in hierarchy + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + The object properties rico:directlyIncludes and + rico:hasDirectConstituent, or variants of these which are sub-properties of + rico:hasOrHadPart, should always be used to express hierarchies in RiC-O. The + rico:rankInHierarchy datatype property should only be used in addition (never + independently), for convenience (for example to help display or query a graph). But it + should be ensured that it reflects and is compatible with (e.g. computed using) the + hierarchical object properties in the intended context (e.g. a hierarchy of Record Parts in + a given Record). Thus, if, for example, Record Part A rico:hasDirectConstituent Record Part + B, then the rico:rankInHierarchy of Record Part B must be strictly greater than + rico:rankInHierarchy of Record Part A, and no other Record Part in that context should have + rico:rankInHierarchy between that of Record Part A and Record Part B. For a given Record + Resource, rico:rankInHierarchy should never be used more than once. If a Record Resource + belongs to more than one hierarchy, a rico:Proxy of the Record Resource should be + introduced, and rico:rankInHierarchy have source such a proxy, in all cases except + (possibly) the first. + + + + + + + + + + + + + + The rank of a Record Resource, or of a Proxy that stands for it, + in a sequence. + + rang dans la séquence + rango en la secuencia + rank in sequence + + + 2025-03-04 + Introduced in RiC-O 1.1. + + + The object property rico:precedesOrPreceded or one of its + sub-properties should always be used to express sequences in RiC-O. The rico:rankInSequence + datatype property should only be used in addition (never independently), for convenience + (for example to help display or query a graph). But it should be ensured that it reflects + and is compatible with (e.g. computed using) the sequential object properties in the + intended context (e.g. the Records in a given Record Set). Thus, if, for example, Record + Resource A rico:precedesOrPreceded Record Resource B, then the rico:rankInSequence of + Record Resource B must be strictly greater than rico:rankInSequence of Record Resource A, + and no other Record Resource in that context should have rico:rankInSequence between that + of Record Resource A and Record Resource B. For a given Record Resource, + rico:rankInSequence should never be used more than once. If a Record Resource belongs to + more than one sequence, a rico:Proxy of the Record Resource should be introduced, and + rico:rankInSequence have source such a proxy, in all cases except (possibly) the + first. + + + + + + + The quantity of information content, as human experienced, + contained in a Record Resource. The method and precision of expressing the quantity of + information represented in a Record Resource will vary according to the kind of Record + Resource being described, processing economy constraints, etc. For record sets, quantity + may be expressed as number of records, or, for analogue records in particular, by the + physical storage dimensions of the members of the Record Set. For individual records or + record parts, quantity may be expressed in more precise terms. + + mesure de la ressource archivistique + Record Resource Extent + soporte de recurso documental + + + 2024-03-15 + Fix capitalisation in English label. + + + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, examples (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Updated the scope note, as a RecordResourceExtent class has + been created. + + + + + 2020-11-01 + Text definition and scope note updated. Examples added. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + 1,500 words + 2 films + 2.065.735 characters + 3 minutes and 24 seconds + 6 maps + 6 photographs + Use if you don't use RecordResourceExtent class and its + properties for handling such information. Record resource extent should not be confused + with instantiation extent or carrier extent. The number, size or duration of the + information content unit(s) remains the same even if the information is instantiated in + various carriers. For example, a CD with a storage capacity of 700 MB (carrier extent) + might hold a record of 1,500 words (record resource extent) represented in two versions, + one a Word document with an instantiation extent of 3 KB and the other a PDF file with an + instantiation extent of 5 KB. + Corresponds to RiC-A35 (Record Resource Extent + attribute) + + + + + + Information about some source on which the content of a Record + Resource is based. + + fuente de información de recurso documental + Record Resource source of information + source d’information de la ressource archivistique + + + 2025-01-16 + Datatype property added in RiC-O 1.1. It replaces, as concerns + Record Resources, the former 'source' datatype property, that was available in RiC-0 + 0.1 and RiC-O 0.2, and was removed in RiC-O 1.0. + + + Dardy-Cretin (Michèle), Histoire administrative du ministère de la + culture et de la communication (1959-2012). Paris: Collection du Comité d’histoire du + ministère de la culture et de la communication, 2012. + Can be used, for example, for Records having documentary form + type Authority Record or Finding Aid. Use only if you don't use the + 'recordResourceHasSourceOfInformation' object property. + + + + + + + Information about the intellectual arrangement and composition of + a Record Resource. For Record and Record Part, it encompasses information about the + intellectual composition of the record, the presence of record parts and their functions. + For Record Set, it encompasses information about the methodology or criteria used for + arranging the Record Set members or Record members within the containing Record + Set + + estructura de recurso documental + Record Resource structure + structure de la ressource archivistique + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + Inside each file, the records are arranged + chronologically. + The database has 3 related tables: names, addresses, and passport + numbers. + The record has 2 appendixes, comprising a full account of the + income from car taxes and real estate taxes. + The series have the files arranged according to the alphabetical + order of the places concerned. + Specialization of RiC-A40 (Structure + attribute) + + + + + + Framework or standard used to represent an + information. + + reference system + sistema de referencia + système de référence + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + Qualifies the level of certitude of the accuracy of a + Relation. + + certeza de la relación + degré de certitude de la relation + relation certainty + + + 2023-12-27 + Renamed the datatype property (was 'certainty') and reduced its + domain to Relation (the dmain was the union of Event and Relation). Consequently + updated the labels. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-10-14 + Reintroduced this datatype property, with the definition + assigned to it in RiC-CM 1.0, apart from its domain that also includes + Event. + + + certain + uncertain + unknown + Corresponds to RiC-RA01 (Certainty of Relation + attribute) + + + + + + A source of information used for identifying and describing a + Relation. + + fuente de la relación + relation source + source de la relation + + + 2023-12-27 + Renamed the datatype property (was 'source') and reduced its + domain to Relation (the domain was the union of Record Resource and Relation). + Consequently updated the rdfs:comment, labels and scope note. Added a + rico:RiCCMCorrespondingComponent annotation. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use only if you don't use the 'isEvidencedBy' object + property. + Corresponds to RiC-RA05 (Source of Relation + attribute). + + + + + + Used to qualify the state of a Relation (e. g. present, past, + ongoing, unknown). + + estado de la relación + relation state + statut de la relation + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + The rule or conditions that govern the existence or lifecycle of a + Thing. + + regla aplicada + règle suivie + rule followed + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use the Rule class for handling rules. + + + + + + + Summary of the scope (such as time periods, geography) and content + (such as subject matter, administrative processes) of a Record Resource. Provides a more + complete summary of the informational content of the Record Resource highlighting the + information conveyed in the Record Resource, why it was created, received, and/or + maintained, and the agents connected to it. It may include description of relations with + agents, activities, dates and places, or with other record resources. + + alcance y contenido + portée et contenu + scope and content + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote, rdfs:subpropertyOf, examples + (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Examples added. Objective: to make + RiC-O compliant with RiC-CM v0.2. + + + Among the witnesses, the Duke of Normandy. + Includes a detailed list of the lands and villages given by the + King to the Abbey. + Letter from Vlad the Impaler (Dracula) to the Council of Kronstadt + asking them to send military support against the Ottomans, within the framework of their + alliance treaty. + Se hace referencia a construcción del Gran Hotel, iniciada en 1899 + bajo el nombre de Casa Celestino. Tras su interrupción en 1902, continuó la obra ya con su + nombre actual. + The author explains why he does not agree with the decision made + and adds that it cannot be applied. + Scope and content is a specialization of general description. + For a Record Set, may be used to summarize the scope and content of the Record Set itself, + or additionally to summarize the scope and content of some or all members of the Record + Set. It is not to be confused with the history dataytpe property which focuses on the + origination and subsequent changes to a Record Resource. + Corresponds to RiC-A38 (Scope and Content + attribute) + + + + + + + + + + + + + + Specification of, or information about, the sentiment(s) or + emotion(s) expressed by the content of a Record or a Record Part. + + sentiment or emotion expressed + sentiment ou émotion exprimés + sentimiento o emoción expresados + + + 2025-04-05 + Introduced in RiC-O 1.1. + + + Can in particular be used for textual or visual Records or + Record Parts. + + + + + + + Date at which some of the present or past members of a Record Set + were or will be accumulated. + + algunos de sus miembros como fecha de acumulación + des membres ayant pour date d’accumulation + some members with accumulation date + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadSomeMembersWithAccumulationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + + + + + + + Date at which some of the present or past members of a Record Set + were or will be created. + + algunos de sus miembros como fecha de creación + des membres ayant pour date de création + some members with creation date + + + 2025-02-19 + Changed definition (added "or will be"). + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + Datatype property analogue of + 'hasOrHadSomeMembersWithCreationDate', which is provided for usability reasons. May be + deprecated and removed later on. Use only if you don’t use Date classes for handling + dates. + RiC-R082i ('has or had some members with creation + date' relation). + + + + + + + + + + + + + Information about the intellectual arrangement and composition of + a Record Resource or the physical arrangement and composition of an Instantiation. For + Record and Record Part, it encompasses information about the intellectual composition of + the record, the presence of record parts and their functions. For Record Set, it + encompasses information about the methodology or criteria used for arranging the Record Set + members or Record members within the containing Record Set. For Instantiation, it may + comprise information about the composition of the physical elements of the + instantiation + + estructura + structure + structure + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the skos:scopeNote, examples + (skos:example). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Text definition updated. Objective: to make RiC-O compliant + with RiC-CM v0.2. + + + Inside each file, the records are arranged chronologically (about + a record set) + The database has three related tables: names, addresses, and + passport numbers (about a record) + The record has two appendices, comprising a full account of the + income from car taxes and real estate taxes + The series have the files arranged according to the alphabetical + order of the places concerned + Use only if you cannot use the subproperties (particularly if + the same free text is being used in your current metadata for describing the record + resource and the instantiation structure). For a Record Set, may be used to summarize the + structure of the Record Set itself, or additionally to summarize the structure of some or + all members of the Record Set. Should not be confused with the classification datatype + property, which provides information about the category which the Record Set belongs to + within a classification scheme. + Corresponds to RiC-A40 (Structure + attribute) + + + + + + Describes any relevant physical or software feature of any device + involved in the creation or management of a Record Resource. + + características técnicas + caractéristiques techniques + technical characteristics + + + 2023-11-11 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Scope note and examples added. Objective: to make RiC-O + compliant with RiC-CM v0.2. + + + Hubble Space Telescope had until 2002 a flawed mirror that + introduced severe spherical aberration for the images. + Does not include references to the workflow that the Mechanism + is involved in, which is described under the Activity entity. It emphasizes those features + that provide a better understanding of the impact of the Mechanism on the + records. + Corresponds to RiC-A41 (Technical Characteristics + attribute) + + + + + + + + + + + + + + A textual expression of an Appellation or Date. + + textual value + valeur textuelle + valor textual + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + An identifying name of a Record Resource, Instantiation or + Rule. + + intitulé + title + título + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use only if you don't use Title class for handling + titles. + Specialization of RiC-A28 (Name + attribute) + + + + + + A term used to characterize an entity. + + tipo + type + type + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Type subclasses for handling + categories. + + + + + + A definite magnitude of a quantity, defined and adopted by + convention or by law, that is used as a standard for measurement of the same kind of + quantity. Can be spacial units (cm, m), weight (g, kg), time (s, h), storage (MB, TB) or + more informal units used in the archival context like number of boxes, pages or + words. + + unidad de medida + unité de mesure + unit of measurement + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added an xml:lang attribute to the rdfs:comment. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Added a scope note. + + + + + 2020-10-28 + Datatype property created along with quantity, Extent and + UnitOfMeasurement classes, in order to provide methods for handling extent + accurately. + + + Use if you do not use the UnitOfMeasurement class for handling + units of measurement along with Extent. + + + + + + + Date at which an Appellation was first used. + + usado desde la fecha + used from date + utilisé à partir de + + + 2023-11-12 + Made this property a subproperty of beginningDate. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Date until an Appellation was used. + + usado hasta la fecha + used to date + utilisé jusqu’à + + + 2023-11-12 + Made this property a subproperty of endDate. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provided for usability reasons. May be deprecated and removed + later on. Use only if you don't use Date classes for handling dates. + Datatype property specialized implementation of + RiC-E18 (Date entity) + + + + + + + Horizontal dimension of an entity. + + anchura + largeur + width + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + + + + + + + + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + 1 + + + + Connects at least one Record Resource or Instantiation to at least + one Agent, when the Record Resource or Instantiation is or was accumulated by the Agent, be + it intentionally (collecting it) or not (receiving it in the course of its activities). The + Record Resource(s) or Instantiation(s) is the source of the Relation, and the Agent(s) is + the target. + + Accumulation Relation + Recordressource/Instanz-Akteur-Bestandsbildung + Relación de acumulación + Relation d’accumulation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R028 and RiC-R028i + relations + + + + + The doing of something for some human purpose. + + Actividad + Activité + Activity + Aktivität + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Objective: to + make RiC-O compliant with RiC-CM v0.2. + + + Activity is a kind of Event. Activity is specifically used to + designate purposeful human activity. Activity may be understood from two perspectives. + First it can be understood as leading to an end. The end is the purpose of the Activity, or + why the Activity is performed. Second, it can be understood in terms of the processes that + lead to achieving the end, how the end is realized through coordinated actions. Purpose and + process are complementary understandings of Activity. Together the two perspectives address + why the Activity is performed, the expected ends or outcomes; and how the Activity fulfills + the purpose. While activity has an intended end, it also has unintended consequences and + results, or side-effects. By and large, these may not be the focus of the description, but + they are, unquestionably, context. |In a corporate or government context an Activity may + also be called a 'function'. An Activity exists in a specific social and cultural context, + and within that context is subject to change over time. An Activity may be composed of + other Activities. + Corresponds to RiC-E15 (Activity + entity) + + + + + + + true + + + + + + + + 1 + + + + + + + + + + + + + + 1 + + + + Connects at least one Record Resource or Instantiation to at least + one Activity, when the Record Resource or Instantiation results from the Activity. The + Record Resource(s) or Instantiation(s) is the source of the Relation, and the + Activity(-ies) is the target. + + Activity Documentation Relation + Recordressource/Instanz-Aktivität + Relación de procedencia funcional + Relation entre activités et ressources archivistiques + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the . + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-08 + Made this relation a subclass of EventRelation. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R033 and RiC-R033 + relations + + + + + Categorization of an Activity. + + Activity Type + Aktivitätskategorie + Tipo de actividad + Type d’activité + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: updated (different from RiC-CM scope note). + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Can be extended with any number of subclasses, e.g. + “function/action” and “activity domain”. This allows for a faceted approach that enables an + Activity to be categorized using a combination of components, general or more specific. For + example, “monitoring” can be used in combination with “election polls” or “water + resources”. + Corresponds to RiC-A02 (Activity Type + attribute) + + + + + A Person, or Group, or an entity created by a Person or Group + (Mechanism), or a Position, that acts in the world. + + Agent + Agent + Agente + Akteur + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2021-02-08 + removed the Restrictions + + + + + 2020-10-23 + Comment: updated. Scope note: updated and made several + paragraphs. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + An Agent may have one or more identities; an identity is a + constellation of properties or relations that together “identify” the Agent. A Person or + Group commonly has one identity, though each also may have one or more alternative + identities. Such alternative identities may be shared by more than one Person or Group. + Alternative identities include but are not limited to pseudonyms, heteronyms, DBA (Doing + Business As), and trade identities. An alternative identity should not be confused with a + Position in a Group, for example, presidents, prime ministers, governors, popes, royalty, + or bishops. Nor should an alternative identity be confused with a variant name or + identifier of the same identity. Agent also includes entities created by a Person or Group + that act on behalf of the creating Agent in an autonomous or semi-autonomous manner. + Examples of a Mechanism include software agents, robots, and space and underwater probes + that generate data (records) in the course of Activity assigned to and in conformance with + the instructions given to them by the creating Person or Group. + Corresponds to RiC-E07 (Agent + entity) + + + + + + + true + + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Agent, to at least another Agent, when the + first one(s) control(s) or controlled in a way the activities of the second one(s). The + Relation is oriented from the controlling agent to the controlled one: the controlling + Agent(s) is the source of the Relation, and the controlled Agent(s) is the + target. + + Agent Control Relation + Akteur-Kontrolle-Akteur + Relación de control entre agentes + Relation de contrôle entre agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R041 and RiC-R041i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Agent to at least another Agent, when the + first one is or was hierarchically superior to the second one. The Relation is oriented + towards the 'bottom' of the hierarchical tree: the superior Agent(s) is the source of the + Relation, and the inferior Agent(s) is the target. + + Agent Hierarchical Relation + Akteur-Hierarchie-Akteur + Relación jerárquica entre agentes + Relation hiérarchique entre agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + The hierarchical relation can be an authority relation, or a + whole/part relation between two agents. + Class implementation of RiC-R045 and RiC-R045i + relations + + + + + A label, title or term designating an Agent in order to make it + distinguishable from other similar entities. + + Agent Name + Akteursname + Nombre de Agente + Nom d’agent + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of a specialization of RiC-A28 + (Name attribute) + + + + + + + true + + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Agent to at least another Agent that + succeeds it chronologically for, for instance, fullfilling some functions or performing + some activities. The Relation is oriented chronologically, from the predecessor to the + successor: the predecessor Agent(s) is the source of the Relation, and the successor + Agent(s) is the target. + + Agent Temporal Relation + Akteur-Nachfolge + Relación temporal entre agentes + Relation temporelle entre agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + There may be zero to many intermediate agents, ignored or + unknown, between the two connected agents. Can be used when there is a transfer of function + from the first agent to the second agent. + Class implementation of RiC-R016 and RiC-016i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Agents. This Relation is a generic, not + oriented one. + + Agent Relation + Akteur-Akteur + Relación entre agentes + Relation entre agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use only if it is not possible to specify a narrower agent to + agent relation, for example a WorkRelation. + Class implementation of RiC-R044 and RiC-044i + relations + + + + + A concept of any kind that is used for designating an Entity and + referring to it. + + Appellation + Appellation + Bezeichnung + Denominación + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects an Appellation and at least one Thing that the + Appellation designates or designated. The Appellation is the source of the Relation and the + Thing(s) is the target. + + Appellation Relation + Bezeichnung-Ding + Relación de denominación + Relation d’appellation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Agent and at least one Thing over which the + Agent has or had some authority. The Agent(s) is the source of the relation, and the + Thing(s) is the target. + + Akteur-Autorität-Ding + Authority Relation + Relación de control por parte de agentes + Relation d’autorité + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use only if it is not possible to specify a narrower authority + relation, for example OwnershipRelation. + Class implementation of RiC-R036 and RiC-R036i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + + + + + + Connects at least one Record to at least one Person, Group or + Position that is or was responsible for conceiving and formulating the information + contained in the Record. The Record is the source of the Relation and the Person(s), + Group(s) or Position(s) is the target. + + Authorship Relation + Record-Autor-Akteur + Relación de autoría + Relation de responsabilité intellectuelle + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-12-29 + Created following the addition of RiC-R079 relation in RiC-CM + 0.2 + + + To be used for a person, group or position that makes any + contribution to the content of a record. Includes the person, group or position in whose + name or by whose command the content may have been formulated and first instantiated (for + example the person who signed the record). + Class implementation of RiC-R079 and RiC-R079i + relations + + + + + Number of physical units and/or physical dimensions of the carrier + of an Instantiation. + + Carrier Extent + Datenträgerumfang + Extensión del soporte + Mesure d’un support + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Changed a bit the definition and added change + notes. + + + + + 2020-10-28 + Class added in order to handle an accurate description of a + carrier extent + + + In order to manage an instantiation of a record resource it is + necessary to note the extent of the carrier as well as that of the instantiation itself. + Whether it is necessary to note dimensions, the number of relevant units or both depends on + the nature of the carrier and particular business needs. + Class implementation of RiC-A04 (Carrier Extent) + attribute + + + + + Categorization of physical material on which information is + represented. + + Carrier Type + Datenträgerkategorie + Tipo de soporte + Type de support + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: updated (quite the same as RiC-CM definition). + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + In order to manage an instantiation of a record resource, it is + necessary to note the type of carrier on which the record resource is instantiated as its + nature will determine the environmental storage conditions and the prerequisites for and + possible ways of accessing and using the record resource. + Corresponds to RiC-A05 (Carrier Type + attribute) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person to at least another Person, when the + first has(ave) child(s) the second one(s). The Relation is oriented from the parent to the + child: the parent is the source of the relation, and the child(ren) is the + target. + + Child Relation + Person-Kind + Relación de filiación + Relation de filiation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R018 and RiC-R018i + relations + + + + + An idea, unit of thought, abstract cultural object or + category + + Concept + Concept + Concepto + Konzept + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + The fundamental form of communication in which a Record or Record + Part is expressed. + + Content Type + Inhaltskategorie + Tipo de contenido + Type de contenu + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: added (quite the same as RiC-CM + definition). + + + Content Type should not be confused with Representation Type or + Carrier Type that would concern a related Instantiation since the form of communication can + be independent of the representation or carrier, for example a map (content type + "cartographic image") may be represented as a sketch (representation type "visual") + recorded as a physical document (carrier type "paper"). It also should not be confused with + the Documentary Form Type of a Record, or Record Part, which describes a specific document + form (for example a deed of sale). + Corresponds to RiC-A10 (Content Type + attribute) + + + + + Longitudinal and latitudinal information about a + Place. + + Coordenadas de lugar + Coordinates + Coordonnées géographiques + Koordinaten + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2021-02-08 + Removed the cardinality Restrictions when the range is a + datatype property + + + Class implementation of RiC-A11 (Coordinates + attribute) + + + + + An organized group of persons that act together as an Agent, and + that has a recognized legal or social status. + + Collectivité + Corporate Body + Institución + Körperschaft + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + scope note: updated. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + Corporate body is a kind of Group (RiC-E09). By exception, + within some legal contexts, a sole trader or sole proprietor may be recognized as a + corporate body, even when the economic enterprise does not have additional members. + Corporate bodies often have a mandate giving them the authority to act within their area(s) + of competence. They will also usually act within a particular jurisdiction being governed + by legal and other rule-based frameworks. A corporate body though may be constituted in a + more informal manner and exist as an entity by virtue of its recognition as such by its + members. + Corresponds to RiC-E11 (Corporate Body + entity) + + + + + Categorization of a Corporate Body. + + Corporate Body Type + Körperschaftskategorie + Tipo de institución + Type de collectivité + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + Corresponds to RiC-A12 (Corporate Body Type + attribute) + + + + + + + true + + + + + + + 2 + + + + Connects at least two Persons, when they correspond or + corresponded to each other. This Relation is not oriented. + + Correspondence Relation + Person-Korrespondenz-Person + Relación entre personas por correspondencia + Relation épistolaire + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R052 and Ri052i + relations + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + 1 + + + + Connects at least one Record Resource or Instantiation to at least + one Agent, when the Agent is either responsible for all or some of the content of the + Record Resource, or is a contributor to the genesis or production of the Instantiation. The + Record Resource or Instantiation is the source of the Relation, and the Agent(s) is the + target. + + Creation Relation + Recordressource/Instanz-Erstellung-Akteur + Relación de creación + Relation de création + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed a 0.2 existing unnecessary restriction. + + + Covers the definition of "author" in diplomatics, and any agent + that makes a contribution to the intellectual content of a record resource. Can also be + used for any agent that was involved in the genesis (e.g. with the role of witness, + representative of the author etc.) or in the production (e.g. with the role of scribe, + secretary, notary, printer etc.) of the record resource or instantiation. + Class implementation of RiC-R027 and RiC-R027i + relations + + + + + Chronological information associated with an entity that + contributes to its identification and contextualization. + + Date + Date + Datum + Fecha + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + Scope note: made separate paragraphs. + + + A Date may be represented in natural language, based on a + digital standard, or both. Digital standard dates will typically be based on ISO 8601, or + Extended Date-Time Format (EDTF) + Corresponds to RiC-E18 (Date + entity) + + + + + Categorization of a Date. + + Date Type + Datumskategorie + Tipo de fecha + Type de date + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. Added a label in Spanish. + + + + + 2023-10-10 + Added the rdfs:comment, a French rdfs:label, and adjusted the + rico:RiCCMCorrespondingComponent annotation. + + + + + 2023-09-22 + Added in RiC-O 1.0. + + + May be used to categorize a Date as a single date, a date range + or a date set or sub-categories of these broad types. This attribute should not be confused + with the date relations defined to connect a Date entity and any other entity (such as + RiC-R069 ‘is beginning date of’). + Corresponds to RiC-A42 (Date Type attribute) (new + in RiC-CM 1.0). + + + + + Categorization of a Person or Group based on shared + characteristics. + + Demographic Group + Demographische Gruppe + Groupe démographique + Grupo demográfico + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2024-10-10 + Changed the French and Spanish labels (replaced 'catégorie' and + 'categoria' with 'groupe' and 'grupo'). + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2021-02-08 + Removed the Restriction. + + + + + 2020-10-23 + Comment: updated. Scope note: updated and made several + paragraphs. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Can be extended with any number of specific subclasses. Among + possible specific demographic groups are gender, (biological) sex, education, identity, + place, ancestry, ethnic/cultural identification, and religion. + Corresponds to RiC-A15 (Demographic Group + attribute) + + + + + + + true + + + + + + + + 1 + + + + + + + 1 + + + + Connects an Instantiation to at least one Instantiation that is + derived from it, whether it exists or has been lost or destroyed. The Relation is oriented + chronologically, from the first Instantiation in time to the derived Instantiation: the + first Instantiation is the source of the Relation, and the derived Instantiation(s) is the + target. + + Derivation Relation + Instanz-Derivat-Instanz + Relación de derivación + Relation de dérivation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + In some situations, it may be useful or necessary to connect an + instantiation to an instantiation that was derived from it but no longer exists or has been + lost. + Class implementation of RiC-R014 and RiR014i + relations + + + + + + + true + + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person to at least another Person, when the + first has/have descendant the second one(s). The Relation is oriented from the ascendant to + the descendant: the ascendant Person(s) is the source of the Relation, and the descendant + Person(s) is the target. + + Descendance Relation + Person-Nachkommen + Relación de descendencia + Relation de descendance + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R017 and RiC-R017i + relations + + + + + Categorization of a Record or Record Part with respect to its + extrinsic and intrinsic elements that together communicate its content, administrative and + documentary context, and authority. + + Documentary Form Type + Dokumentenkategorie + Tipo documental + Type de document + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Comment: updated. Scope note: made several paragraphs. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Documentary Form Type plays an important role in determining the + type of information a Record may comprise, its status of perfection, and its authenticity + and reliability. Documentary form types exist in a specific social and cultural context, + and within that context, are subject to change over time. + Corresponds to RiC-A17 (Documentary Form Type + attribute) + + + + + Something that happens or occurs in time and space. + + Ereignis + Événement + Event + Evento + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: made separate paragraphs and some + changes. + + + An event may be caused by nature, an agent, or a combination of + nature and agent. Events have temporal and spatial boundaries. An event may actively + involve some agent(s) and affect any entity. An event may be discrete, happening at a + specific moment in time, or may occur over an extended period of time. Events may have + events as parts, and events may precede or follow one another. Multiple agents may + participate in the same event, and in different roles. + Corresponds to RiC-E14 (Event + entity) + LODE Event class (http://linkedevents.org/ontology/#Event) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Event to at least one Thing, when the first + is associated with the existence and lifecycle of the second one. The Event(s) is the + source of the Relation, and the Thing(s) is the target. + + Ereignis-Ding + Event Relation + Relación con un evento + Relation impliquant un événement + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use to connect an event and an entity only if it is not possible + to specify a narrower event relation, for example a PerformanceRelation. + Class implementation of RiC-R057 and RiC-R057i + relations + + + + + Categorization of an Event. + + Ereigniskategorie + Event Type + Tipo de evento + Type d’événement + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: updated and made several paragraphs. Objective: to + make RiC-O compliant with RiC-CM v0.2. + + + Events of all kinds can be categorized. Curation event types + include creation; acquisition; transfer; arrangement; description; digitization, etc. + Biographical event types include birth, marriage, death, etc. + Corresponds to RiC-A18 (Event Type + attribute) + + + + + Countable characteristics of the content of an entity expressed as + a quantity. + + Extensión + Extent + Mesure + Umfang + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-28 + Class added together with three subclasses and hasExtent and + isExtentOf Object properties + + + Physical or logical extent of a resource + + + + + Categorization of the extent that is being + measured. + + Extent Type + Tipo de Extensión + Type de mesure + Umfangskategorie + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added an xml:lang attribute to the rdfs:comment. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-01 + Added to specify the dimension that is being + measured + + + + + + + Two or more persons related by birth, or through marriage, + adoption, civil union, or other social conventions that bind them together as a socially + recognized familial group. + + Familia + Familie + Famille + Family + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + Scope note: made separate paragraphs and some + changes. + + + Family is a kind of Group. “Family” is used here as a general + term that encompasses a wide variety of familial groups. Other types of familial groups + include Dynasty, Clan, House, Tribe and others. Though family may be a recognized legal + group in specific contexts, the term may also be used for groups that are socially + recognized as families. A family may be a group of persons related either by consanguinity + or affinity or cohabitation or other social conventions. In some context, a Family may be + legally recognized as Corporate Body. For example, certain North American peoples (tribes) + retain self-government rights and have jurisdiction over defined tribal + lands. + Corresponds to RiC-E10 (Family + entity) + + + + + + + true + + + + + + + 2 + + + + Connects at least two Persons, when they have some family link, + i.e. belong to the same family. This Relation is a generic, not oriented + one. + + Family Relation + Person-Familie-Person + Relación familiar + Relation familiale + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use the MembershipRelation class for connecting a family and a + person. + Class implementation of RiC-R047 and RiC-R047i + relations + + + + + Categorization of a Family. + + Familienkategorie + Family Type + Tipo de familia + Type de famille + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Comment: slighty changed. + + + Encompasses a wide variety of familial groups related by + consanguinity, affinity, cohabitation, or other social conventions. + Corresponds to RiC-A20 (Family Type + attribute) + + + + + + + true + + + + + + + 2 + + + + Connects at least two Instantiations which may be considered as + equivalent. This Relation is not oriented. + + Functional Equivalence Relation + Relación de equivalencia funcional + Relation d’équivalence fonctionnelle + Repräsentation-Äquivalent-Repräsentation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Two instantiations, from some point of view, may be considered + as equivalent. This equivalence is usually based upon the fact that the instantiations have + at least the same intellectual content (they instantiate the same record + resource). + Class implementation of RiC-R035 and RiC-R035i + relations + + + + + + + + Two or more Agents that act together as an Agent. + + Group + Groupe d’agents + Grupo de agentes + Gruppe + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + Scope note: made separate paragraphs plus very few changes. + Disjoint with: enriched. + + + Group is a kind of Agent. A Group has a socially recognized + identity. Each member of the Group plays a particular role or roles (that is has a + particular Position) in the coordinated activity of the Group. Corporate bodies and + families are kinds of groups, though other kinds of groups are possible. For example, the + “electorate” -- all of the voters in a given election. Complex, large groups may be + subdivided into other groups. + Corresponds to RiC-E09 (Group + Entity) + + + + + + + true + + + + + + + + 1 + + + + + + + 1 + + + + Connects a Group and at least another Group, when the first one + has or had the second one(s) among its subdivisions. The Relation is oriented from the + Group to its subdivision(s): the parent Group is the source and the subdivision Group(s) is + the target. + + Group Subdivision Relation + Gruppe-Untergruppe + Relación de subdivisión entre grupos de agentes + Relation de subdivision entre groupes d’agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R005 and RiC-R005i + relations + + + + + A word, number, letter, symbol, or any combination of these used + to uniquely identify or reference an individual instance of an entity within a specific + information domain. + + Identifiant + Identificador + Identifier + Identifikator + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + Can include Global Persistent Identifiers (globally unique and + persistently resolvable identifier for the entity) and/or Local Identifiers. Both the + domain within which the identifier is unique, and the rules used in forming the identifier + value should be provided with the identifier value. + Class implementation of RiC-A22 (Identifier + attribute) (see also the identifier datatype property) + + + + + Categorization of an Identifier. + + Identifier Type + Identifikatorenkategorie + Tipo de identificador + Type d’identifiant + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-19 + Class added along with hasIdentifierType and isIdentifierTypeOf + object properties. + + + For example, 'old identifier' ; 'ISNI' (for a person or + corporate body), etc. + + + + + The inscription of information made by an Agent on a physical + carrier in any persistent, recoverable form as a means of communicating information through + time and space. + + Instanciación + Instanciation + Instantiation + Repräsentation oder Instanz + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restrictions. + + + + + 2020-10-23 + Comment: updated. Scope note: updated and made several + paragraphs. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + A Record or Record Part must have been instantiated at least + once, though this instantiation may no longer exist at the moment of description. An + instantiation might also exist at the moment of description, but be destroyed at a later + moment in time, when, for example, a derived instantiation might become the only remaining + instantiation. A Record Set may have an instantiation, which is to say that it is not a + necessary condition. An Instantiation may be derived from another Instantiation. A Record + Resource may have many Instantiations simultaneously (for instance, a record printed and + saved in the same time as DOCX and PDF/A would have 3 concurrent instantiations) or through + time (for example, copy of a record). Depending on the context, a new instantiation may be + seen as a new or as the same record resource. During in the process of re-instantiation + something is lost and something is preserved, but it is up to the context and the Agent + that produces or uses that Instantiation to assess whether the two instantiations are + functionally equivalent or not. For instance, a postcard representing a town map from 1874 + (Instantiation 1) is digitized and kept as a JPEG file (Instantiation 2). The digital copy + may be considered as instantiating the "same" Record by an Agent considering the + information transmitted by the Record (e.g., the urban landscape displayed), but as a" + different" Record by an antiquarian more focused on the materiality of the carrier. + Successive instantiations may change the perceivable boundaries of a Record Resource. For + instance, a case file comprising many records may be digitized and saved as one single PDF + file, which, from management perspective, may be treated as one Record. Similarly, a large + Record Set (a fonds or a series) may be maintained as one database. On the other hand, one + record (main document and its annexes) may be digitized in separate files and each one may + be managed as a discrete “physical” item. Instantiations may require mediation to + communicate the information in the Record Resource. While a traditional Record on paper can + simply be read by an Agent in order to understand the information, a vinyl recording, a + video cassette or a digital file needs a device (mediator) to codify or decodify the + information conveyed. This mediator may imply simple physical components (a turntable + needle, for example), or a complex gallery of software and hardware elements. + Instantiations are more than the mere informational content of Record Resource and may be + the focus of preservation and physical management of records. The use of particular + document types for records, such as a medieval charter, may have implications for the + authenticity of the records. Hence, the way a Record Resource is instantiated contributes + to the contextualizing of the content.record resource is instantiated contributes to the + contextualizing the content. Distinguishing the message conveyed (Record Resource) and its + physical representations (Instantiation) allows for the efficient management of their + descriptions, and preserve information about a Record Resource even when no physical + representation of it exists or is known to exist anymore. The relations between distinct + instantiations can then be expressed wherever they coexist, and they can be related to the + Record Resource they instantiate. + Corresponds to RiC-E06 (Instantiation + entity) + PREMIS Representation + + + + + Countable characteristics of an Instantiation expressed as a + quantity. + + Extensión de la instanciación + Instantiation Extent + Mesure d’une instanciation + Umfang der Instanz|Repräsentation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Changed a bit the definition and added change + notes. + + + + + 2020-10-28 + Class added in order to handle an accurate description of an + instantiation extent + + + Class implementation of RiC-A23 (Instantiation + Extent attribute) + + + + + + + true + + + + + + + 2 + + + + Connects at least two instantiations. This Relation is a generic, + not oriented one. + + Instantiation to Instantiation Relation + Instanz|Repräsentation-Instanz|Repräsentation + Relación entre instanciaciones + Relation entre instanciations + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + + 1 + + + + + + + + + + + Connects at least one Agent and one Record Resource or + Instantiation on which the Agent has or had some intellectual property rights. The Agent(s) + is the source of the Relation and the Record Resource(s) or Instantiation(s) is the + target. + + Akteur-Urheberschaft-Recordressource/Instanz + Intellectual Property Rights Relation + Relación de propiedad intelectual + Relation de propriété intellectuelle + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Can be used, when the record resource is a work, for specifying + the connection between the record resource and its author(s). + Class implementation of RiC-R040 and RiC-R040i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person to at least another one, when the + first one has some knowledge of the second one through time or space. The first Person is + the source of the Relation, and the second one is the target. + + Knowing Of Relation + Person-Kenntnis-Person + Relación de conocimieto indirecto entre personas + Relation de connaissance à propos d’une personne + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R050 and RiC-R050i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Persons who directly know each other during + their existence. This Relation is not oriented. + + Knowing Relation + Person-Bekanntschaft-Person + Relación de conocimiento directo entre personas + Relation de connaissance entre personnes + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + The relation implies that the two persons met or at least + corresponded with each other. + Class implementation of RiC-R051 and RiC—R051i + relations + + + + + A spoken or written human language represented in a Record + Resource or used by an Agent. + + Language + Langue + Lengua + Sprache + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-12-28 + Changed the definition (skos:comment annotation); so that it + conforms to the RiC-CM one. + + + + + 2020-10-23 + Scope note from RiC-CM : deleted. + + + Corresponds to RiC-A25 (Language + attribute) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person and at least one Group, when the + first one(s) lead(s) or led the second one(s). The Relation is oriented from the leading + Person to the Group: the leading Person(s) is the source of the Relation, and the Group(s) + is the target. + + Leadership Relation + Person-Führung-Person + Relación de liderazgo + Relation de direction + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R042 and RiC-R042i + relations + + + + + A status defined by law. + + Legal Status + Rechtstatus + Status jurídico + Statut légal + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Corresponds to RiC-A26 (Legal Status + attribute) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + + + + + Connects at least one Agent and at least one Record Resource or + Instantiation that the Agent manages or managed. The Agent(s) is the source of the + Relation, and the Record Resource(s) or Instantiation(s) is the target. + + Akteur-Management-Recordressource/Instanz + Management Relation + Relación de gestión + Relation de gestion + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R038 and RiC-R038i + relations + + + + + Delegation of responsibility or authority by an Agent to another + Agent to perform an Activity. + + Mandat + Mandat + Mandate + Norma + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-21 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Objective: to + make RiC-O compliant with RiC-CM v0.2. + + + Mandate is a kind of Rule. A mandate confers the responsibility + or authority of an agent to perform a specified activity. In addition to assigning an + activity and delegating responsibility or authority to perform the activity to an agent, a + mandate commonly limits the place (jurisdiction) and date (time period) within which an + agent may perform the activity (where and when). Mandates exist in a specific social and + cultural context, and within that context are subject to change over time. While a mandate + may be tacit, in whole or part, it may be explicitly expressed in a variety of documentary + sources (for example, constitutions, legislation, (legal) acts, statutes, legal codes, + ordinances, charges, charters, or mission statements). The evidence for identifying a + mandate may be found in its entirety in one documentary source (for example, a law or + regulation), or may be found in two or more sources. A mandate should not be confused with + the one or more documentary sources that serve as evidence of its identity. A documentary + source is a record. + Corresponds to RiC-E17 (Mandate + entity) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Mandate and at least one Agent, when the + first gives or gave the second one the authority or competencies to act. May also involve + one to many Activities that the Mandate(s) assign(s) or assigned to the Agent(s). The + Mandate(s) is the source of the Relation and the Agent(s) is the target. + + Mandat-Akteur + Mandate Relation + Relación normativa + Relation impliquant un mandat + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed a 0.2 existing unnecessary restriction. + + + Class implementation of RiC-R067 and RiC-R067i + relations + + + + + Categorization of a Mandate. + + Mandate Type + Mandatkategorie + Tipo de norma + Type de mandat + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Added in RiC-0 1.0 as it has been added to RiC-CM + 1.0. + + + For example : charter, treaty, contract, letter of appointment, + papal mandate, episcopal mandate, ciurt mandate, election mandate, popular mandate, federal + mandate, etc. + Corresponds to RiC-A44 (Mandate Type + attribute). + + + + + + + A process or system created by a Person or Group that performs an + Activity. + + Mecanismo + Mechanism + Mechanismus + Système + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + scope note: made separate paragraphs. Disjoint with: + enriched. + + + Mechanism is a kind of Agent. A mechanism may have both + mechanical and software components or may be exclusively software. A mechanism acts in the + world producing physical or social effects and may generate or modify records. A mechanism + performs activities based on rules determined by the agent that designed and created it. A + mechanism has an essential, derivative relation with the designing and creating + agent. + Corresponds to RiC-E13 (Mechanism + entity) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + 1 + + + + Connects a Group and at least one Person, when the first one has + or had the second one(s) among its members. The Relation is oriented from the Group to its + members: the Group(s) is the source of the Relation, and the Person(s) is the + target. + + Gruppe-Mitgliedschaft-Person + Membership Relation + Relación de membresía + Relation d’appartenance + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R055 and RiC-R055i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects an Instantiation and at least another Instantiation it + has been migrated into. The Relation is oriented chronologically, from the first + Instantiation in time (the migrated one) to the one which results from its migration: the + first Instantiation in time is the source of the Relation, and the resulting Instantiation + is the target. + + Migration Relation + Relación de migración entre instanciaciones + Relation de migration + Repräsentation-Migration-Repräsentation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use for digital instantiations. + Class implementation of RiC-R015 and RiC-R015i + relations + + + + + A label, title or term designating an entity in order to make it + distinguishable from other similar entities. + + Name + Name + Nom + Nombre + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Provides brief information about the content or other individual + characteristics of the entity being described, necessary to distinguish it from other + perhaps similar entities. + Class implementation of RiC-A28 (Name attribute) + (see also the name datatype property) + + + + + + Categorization of a profession, trade, or craft pursued by a + Person in fulfilment of an Activity. + + Beschäftigungskategorie + Occupation Type + Tipo de ocupación + Type d’occupation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + scope note: added. + + + The pursuit of an occupation involves the performance of an + Activity. Successful performance of the Activity is based on the ability to perform related + competencies successfully. Such competencies may be acquired through education or + experience, or a combination of both. The authority of the Person to pursue the occupation + may be derived tacitly or explicitly from an external Agent, based on a demonstrated + mastery of the competency. An occupation may be pursued independently by a Person or a + Group, thereby contributing to the fulfilment of the function (activity) of the group. + Should not be confused with Position where, for example, an agent with the occupation type + "lawyer" holds the position of "legal counsel" in an agency. Related to but should not be + confused with the domain or field of activity, such as an archivist who works in the domain + of archival science. + Corresponds to RiC-A30 (Occupation Type + attribute) + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + 1 + + + + + + + + + + + Connects at least one Record Resource or Instantiation to at least + one Agent or Activity, when the Agent or Activity is the provenance of the Record Resource + or Instantiation (i.e. when the Agent created, accumulated or maintained the Record + Resource or Instantiation, or when the Activity resulted into them). The Record Resource(s) + or Instantiation(s) is the source of the Relation, and the Agent(s) or Activity(-ies) is + the target. + + Organic or functional provenance Relation + Recordressource/Instanz-Herkunft-Akteur/Funktion + Relación de procedencia orgánica or funcional + Relation de provenance organique ou fonctionnelle + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-07 + Renamed the relation (its name was + ProvenanceRelation). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + This relation stands for organic and for functional + provenance. + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + 1 + + + + Connects at least one Record Resource or an Instantiation to at + least one Agent that creates or accumulates the Record Resource, receives it, or sends it. + The Record Resource(s) or Instantiation(s) is the source of the Relation, and the Agent(s) + is the target. + + Organic Provenance Relation + Recordressource/Instanz-Herkunft-Akteur + Relación de procedencia orgánica + Relation de provenance organique + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-07 + Renamed the relation in order to make it clearer (its name was + AgentOriginationRelation). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + This is the most general organic provenance relation. Use it to + connect a record resource or instantiation with an agent only if it is not possible to use + a narrower, more specific relation, for example Creation Relation. + Class implementation of RiC-R026 and RiC-R026i + relations + + + + + + + true + + + + + + + 1 + + + + + + + + + + + + + + + 1 + + + + Connects at least one Group, Person or Position and at least a + Thing that these Agent(s) own(s) or owned. The Group(s), Person(s) or Position(s) is the + source of the Relation, and the Agent(s) is the target. + + Gruppe/Person/Position-Besitz-Ding + Ownership Relation + Relación de posesión + Relation de propriété + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Among other probably more rare use cases for archival + description, can be used between agents (a person owns a corporate body, a corporate body + owns a mechanism), or between agents and record resources. + Class implementation of RiC-R037 and RiC-R037i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Activity to at least one Agent that performs + or performed the activity. The Activity(-ies) is the source of the Relation and the + Agent(s) is the target. + + Aktivität-Ausführung-Akteur + Performance Relation + Relación de desarrollo funcional + Relation entre activités et agents + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R060 and RiC-R060i + relations + + + + + + An individual human being. + + Person + Person + Persona + Personne + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2021-02-08 + Removed one Restriction. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Disjoint + with: enriched. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Disjoint + with: enriched. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Person is a kind of Agent. Most commonly, a human being + (biological person) has a single socially constructed identity or persona. Less common + though not rare, one or more personae in addition to the original persona which emerges at + or near birth may be associated with the human being over the course of that human being’s + lifetime. Such "alternative personae" are most often created by the original person for + specific purposes. The original persona may, in everyday discourse, be regarded as “the + real person”. Under some circumstances, an alternative persona might eclipse or replace the + original person (Mark Twain eclipsing Samuel Clemens; John Wayne eclipsing Marion Mitchell + Morrison), that is, the alternative identity becomes the predominant identity. Less common + is when two or more persons collaborate to create a shared persona. A persona shared by two + or more persons constitutes a kind of group. Within the archival context, the description + of a person commonly will focus on the original associated persona, with alternative + personae noted. Exceptionally, an alternative persona may displace the original persona as + the focus of the description. Under some circumstances, for example, when record resources + are associated with two or more different personae of one person, describing the different + personae as separate though related persons may be desirable. Alternatively, a person may + change their identity over the course of their lifetime. + Corresponds to RiC-E08 (Person + entity) + + + + + A delimitation of the physical territory of a + Place. + + Localisation physique + Localización física de lugar + Physical Location + Standort + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the two 0.2 existing unnecessary + restrictions. + + + Used to describe basic human-readable text such as an address, a + cadastral reference, or less precise information found in a record. Use the coordinates + datatype property, or the Coordinates class to capture the geographical coordinates of the + Place. Use spatial relations (particularly 'has or had location') to capture a relation + between two places. + Class implementation of RiC-A27 (Location + attribute) + + + + + Bounded, named geographic area or region. + + Geografikum + Lieu + Lugar + Place + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Comment: updated. Scope note: updated and made several + paragraphs. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + A jurisdiction is the bounded geographic area within which an + Agent has the authority to perform specified activities constrained by rules. + Jurisdictions, man-made structures, and natural features are historical entities. A Place + thus may have a beginning date and ending date and changing boundaries that result from + human or natural events. A Place may be systematically referenced to a location on the + earth (geographic coordinates). + Corresponds to RiC-E22 (Place + entity) + + + + + A label, title or term designating a Place in order to make it + distinguishable from other similar entities. + + Geografikumsname + Nombre de lugar + Nom de lieu + Place Name + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of a specialization of RiC-A28 + (Name attribute) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects a Place and at least one Thing when the first is + associated with the existence and lifecycle of the second one. The Place is the source of + the Relation and the Thing(s) is the target. + + Geografikum-Ding + Place Relation + Relación con lugar + Relation impliquant un lieu + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R074 and RiC-R074i + relations + + + + + Categorization of a Place. + + Geografikumskategorie + Place Type + Tipo de lugar + Type de lieu + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + Broadly, a Place may be a member of three broad categories: + jurisdiction, manmade structure, or a natural feature. Each of these three categories can + subdivided into narrower categories. + Corresponds to RiC-A32 (Place Type + attribute) + + + + + The functional role of a Person within a Group. + + Position + Position + Poste occupé + Puesto + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Disjoint + with: enriched. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Position is a kind of Agent. Position is the intersection of a + Person and a Group. Position exists independently of the Person that holds the Position + within a Group. More than one Person may hold a Position. Position is commonly defined in a + Mandate, often called a position description or job description. The Mandate may specify + the work to be performed (Activity) as well as the competencies for performing the + Activity. A Position is often given a Name. A Position may be tied to a project or to a set + of tasks and thus have a defined duration. A Position may change over time, as the Group + that establishes it changes over time. Position is not to be confused with Occupation or + Activity. Within the records created by a Corporate Body, a Position may be used to + identify the record sets resulting from activities performed by one or more persons holding + the Position over time, without necessarily identifying or describing the Person or + persons, or identifying which records were created by each Person. + Corresponds to RiC-E12 (Position + entity) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person and at least one Position that the + Person(s) occupies or occupied. The Person is the source of the Relation and the Position + is the target. + + Person-Position + Position Holding Relation + Relación de ocupación entre una persona y un puesto + Relation entre une personne et un poste + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R054 and RiC-R054i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Position and a Group in which the + position(s) exist(s) or existed, or that is (are) defined by that group's organizational + structure. The Position(s) is the source of the Relation and the Group is the + target. + + Position-Gruppe + Position to Group Relation + Relación de ocupación entre un grupo y un puesto + Relation entre un poste et un groupe + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R056 and RiC-R056i + relations + + + + + The method used in the representation of information on an + instantiation. + + Herstellungstechnikkategorie + Production Technique Type + Tipo de técnica de producción + Type de technique de production + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Comment: updated. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + Class implementation of RiC-A33 (Production + Technique attribute) + + + + + + + + 1 + + + + + + + 1 + + + + A Proxy represents (stands for) a Record Resource as it exists in + a specific other Record Resource. + + Proxy + Proxy + Proxy + Proxy + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2025-03-04 + Changed range of proxyIn restriction and rdfs:comment to allow + any Record Resource, not only a Record Set. Also tweaked the scope note to refer to + the new datatype properties rico:rankInSequence and rico:rankInHierarchy, and to + generalise it to different kinds of Record Resources. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Useful e.g. in conjunction with rico:rankInSequence for + describing sequences of Records or Record Sets in the context of a Record Set, or of Record + Parts and Records in the context of a Record; or in conjunction with rico:rankInHierarchy + for describing hierarchies of Records and/or Record Parts in the context of a Record Set, + Record, or Record Part. A Record Resource has only one Proxy in the context of one specific + Record Set, Record, or Record Part. It may have many Proxies simultaneously or through + time. + ORE Proxy (http://www.openarchives.org/ore/terms/Proxy) + + + + + Discrete information content formed and inscribed, at least once, + by any method on any carrier in any persistent, recoverable form by an Agent in the course + of life or work activity. + + Documento + Objet informationnel + Record + Record + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2021-02-08 + Removed the Restriction. + + + + + 2020-10-23 + Scope note: updated and made several paragraphs. Objective: to + make RiC-O compliant with RiC-CM v0.2. + + + Record is a kind of Record Resource. A Record may itself contain + one or more Records, or may consist of one or more Record Parts. A Record must have or have + had at least one Instantiation. A Record may have more than one Instantiation. An + Instantiation derived from another Instantiation of a Record may be considered the + instantiation of the same Record or an instantiation of a new Record, depending on the + context. A Record may serve a variety of purposes, though it always documents or is + evidence of Activity. + Corresponds to RiC-E04 (Record + entity) + + + + + Component of a Record with independent information content that + contributes to the intellectual completeness of the Record. + + Componente documental + Partie d’objet informationnel + Record Part + Recordteil + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2021-02-08 + Removed the Restriction. + + + + + 2020-10-23 + comment: updated. Scope note: made several paragraphs. + Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Record Part is a kind of Record Resource. A Record Part may + itself have Record Parts. + Corresponds to RiC-E05 (Record Part + entity) + + + + + Information produced or acquired and retained by an Agent in the + course of life or work activity. + + Record Resource + Recordressource + Recurso documental + Ressource archivistique + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2021-02-08 + Removed one Restriction. + + + + + 2020-10-23 + Scope note: made separate paragraphs plus very few + changes. + + + Record resource is a kind of Thing. Producing a record resource + may imply either its initial creation or a reuse of previous existing information by + combination, rearrangement, selecting, reformatting, etc. Record set, record, and record + part are kinds of record resource. A record resource is evidence of the activity of an + agent. More than one agent may be involved in the creation of a record resource. The role + of the agent in creating the record resource may take different forms, for example, + authoring of an individual record, accumulating a record set, or arranging a record set. + Though a record, record set, and record part, under most circumstances, may be easily + distinguished from one another, identifying the boundary of each may frequently present + particular challenges. Documentary forms provide the rules governing the structure of many + types of records, providing criteria for identifying a record's boundary, and identifying + its essential parts. Many records, though, do not have well-established documentary forms, + particularly in the case of digital records, where it may be difficult to determine whether + individual elements represented in separate bitstreams are record parts, records, or record + sets. For example, is photographic information represented independently in a bitstream + embedded in a text document a record or a record part? Or is the same photographic + information attached to an email that maintains its independent representation, a record or + a record part? Information grouped for some purpose, for example, ZIP or TAR "file + compression" for saving storage space, presents a further challenge. One file comprises + multiple bitstreams subjected to techniques that remove bits that can be losslessly + recovered when decompressed. Under what circumstances is such a compressed bitstream a + record or a record set? Determining when an information object is a record, record set, or + record part is based on perspective and judgement exercised in a particular context. In one + context, the agent describing an information object may designate it a record, while + another agent in a different context may designate it a record part. Both designations are + supported by RiC-CM, and the significance of the difference for users of the records is + ameliorated by the fact that all of the attributes and relations employed in describing + record and record part are shared, as are many of the attributes and relations employed in + describing a record set. + Corresponds to RiC-E02 (Record Resource + entity) + + + + + The quantity of information content, as human experienced, + contained in a Record Resource. + + Extensión de recurso documental + Mesure d’une ressource archivistique + Record Resource Extent + Recordressourceumfang + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-11-21 + Changed a bit the definition and added change + notes. + + + + + 2020-10-28 + Class added in order to handle an accurate description of a + record resource extent + + + The method and precision of expressing the quantity of + information represented in a Record Resource will vary according to the kind of record + resource being described, processing economy constraints, etc. For Record Sets, quantity + may be expressed as number of records, or, for analogue records in particular, by the + physical storage dimensions of the members of the Record Set. For individual Records or + Record Parts, quantity may be expressed in more precise terms. + Class implementation of RiC-A35 (Record Resource + extent attribute) + + + + + + + true + + + + + + + 2 + + + + Connects two or more record resources when there is a genetic link + between them. Genetic in this sense is as defined by diplomatics, i.e., the process by + which a record resource is developed. This Relation is a generic, not oriented + one. + + Record Resource Genetic Relation + Recordressource-Entstehungszusammenhang-Recordressource + Relación genética entre recursos documentales + Relation génétique entre des ressources archivistiques + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R023 and RiC-023i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + + + + + + + + Connects at least one Agent and one or more Record Resource or + Instantiation that the Agent(s) hold(s) or held. The Agent(s) is the source of the Relation + and the Record Resource(s) or Instantiation is the target. + + Akteur-Aufbewahrung-Recordressource/Instanz + Record Resource Holding Relation + Relación entre agentes y recursos documentales que + conservan + Relation entre agents et ressources archivistiques ou instanciations + conservées + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-30 + Fixed a typo in the French label. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R039 and RiC-039i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects a Record Resource to one or more Instantiations that + instantiate it, and which either may exist or may have been lost or destroyed. The Record + Resource is the source of the Relation and the Instantiation(s) is the + target. + + Record Resource to Instantiation Relation + Recordressource-Repräsentation + Relación de recurso documental a instanciación + Relation d’instanciation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + In some situations, it may be useful or necessary to connect a + record resource to an instantiation that no longer exists or has been lost, when some of + its characteristics are known from a source, such as an old finding aid. + Class implementation of RiC-R025 and RiC-R025i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Record Resources. This Relation is a + generic, not oriented one. + + Record Resource to Record Resource Relation + Recordressource-Recordressource + Relación entre recursos documentales + Relation entre ressources archivistiques + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Use to connect two record resources only if it is not possible + to use a narrower, more specific relation, for example + RecordResourceGeneticRelation. + Class implementation of RiC-R022 and RiC-022i + relations + + + + + One or more records that are grouped together by an Agent based on + the records sharing one or more attributes or relations. + + Agrupación documental + Ensemble d’objets informationnels + Recordgruppe + Record Set + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + comment: updated. Scope note: updated and made several + paragraphs. Objective: to make RiC-O compliant with RiC-CM v0.2. + + + Record set is a kind of Record Resource. The member records in a + Record Set may physically reside together, though physical proximity is not essential. In a + particular context, an Agent (for example, administrator, records manager, archivist, + end-user, etc.) may select the member records of a Record Set based on any shared attribute + or attributes, or any shared relation or relations. The grouping of the records serves a + purpose or purposes specific to the context of the Agent. For example, all member records + of a Record Set have been accumulated by the same Agent; have the same Documentary Form + Type; or are related to and document the same Activity. A Record Set may represent the act + of classifying the records in accordance with a formal classification scheme that may be + based on activity, subject, organizational structure, or other criteria; an act of archival + arrangement (for example, based on common provenance); or some other selection and grouping + that fulfils a particular purpose or purposes (for example, a classification that reflects + or supports the purposes of a researcher). By exception, some records are brought together + based on their not belonging in the context of selection to other designated groups: a + 'Miscellaneous' series, for example. A Record Sset accumulated by an Agent in the course of + life or work activity should be described in a manner that preserves context and evidential + value. Record Sets may also contain other Record Sets. A Record Set or Record may + simultaneously be a member of more than one Record Set, and over the course of its + existence, a Record Set or Record may be a member of an indeterminate number of Record Sets + in an indeterminate number of contexts. Record Sets and Records contained within a Record + Set may be ordered into a sequence based on a common property or relation, or common + properties or relations (for example, alphabetical by agent or related place); + chronological order by creation date; or some other criterion (for example, an imposed + order by relevance). + Corresponds to RiC-E03 (Record Set + entity) + + + + + A broad categorization of the type of Record Set. + + Recordgruppenkategorie + Record Set Type + Tipo de agrupación documental + Type d’ensemble d’objets informationnels + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + scope note: updated. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + Four instances of Record Set Type are included for now in RiC-O; + they also are instances of skos:Concept and, as such, part of a SKOS vocabulary. Record Set + Type may also be used (or extended) to categorize types of Record Set that have not + traditionally been considered archival, e.g. search result list. + Corresponds to RiC-A36 (Record Set Type + attribute) + + + + + Description of the production or reproduction status of a Record + or Record Part. + + Estado de documento + État d’un objet informationnel + Record State + Recordstatus + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-12-28 + IRI and label changed (RecordResourceState to RecordState), as + well as textual definition. + + + + + 2020-10-23 + scope note: updated. Objective: to make RiC-O compliant with + RiC-CM v0.2. + + + Can refer both to a record's stage of creation (for example + "draft") and its form of transmission when the record was received (for example + "copy"). + Corresponds to RiC-A39 (State + attribute) + + + + + + + true + + + + The top level relation class. It connects at least two Things. An + instance of a Relation may have some datatype and object properties: a general description + (datatype property) like any Thing; a certainty (for 'certain', 'quite probable', + 'uncertain','unknown'); a date (use either the date datatype property or the Date class and + isAssociatedWithDate object property); a state (relationState); a location (use the Place + class and isAssociatedWithPlace object property); a source of information that can be used + as an evidence for it (use either source datatype property or hasSource object property). + This Relation is the most generic one; it is not oriented. + + Beziehung + Relación + Relation + Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + added the equivalence to relation_role. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2021-02-08 + Removed the restrictions; completed the definition and scope + note. + + + Use when direct, binary object properties are not enough, e.g. + when you need to record a date, a location or any other descriptive element for a relation + (till RDF-Star becomes a W3C recommendation and provides a lighter method for doing so); or + when the relation invloves more than two entities (n-ary relation). It is recommended to + use the subclasses of the Relation class. + + + + + Method of recording the content type of an + Instantiation + + Repräsentationskategorie + Representation Type + Tipo de grabación + Type de représentation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-23 + Comment and scope note: updated. Objective: to make RiC-O + compliant with RiC-CM v0.2. + + + Can be unmediated (which allows humans to receive the message + communicated without an intermediation of a device) and mediated (which needs a device to + decode the message). A lot of contemporary mediated types are digital. Each representation + type may present specific features: bit rate for audio, resolution for digital images, + encoding format for video etc. Depending on the type, specific attributes may be added to + describe their characteristics. + Corresponds to RiC-A37 (Representation Type + attribute) + + + + + The role an Agent plays in some context (usually in some creation + relation). Not to be confused with a Position (position of an agent in some group). For + example, a Person who is the head of some Corporate Body may play the role of annotator (of + a record) in a creation relation. + + Role Type + Rollenkategorie + Tipo de rol + Type de rôle + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + Conditions that govern the existence, responsibility, or authority + of an Agent; or the performance of an Activity by an Agent; or that contribute to the + distinct characteristics of things created or managed by an Agent. + + Regel + Regla + Règle + Rule + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2021-02-11 + Updated the definition (rdfs:comment) and scope note, as they + were recently changed in RiC-CM 0.2 full draft. + + + + + 2020-10-23 + Scope note: made separate paragraphs and updated. Objective: to + make RiC-O compliant with RiC-CM v0.2. + + + Rule is a kind of Thing. Rule can be related directly to agent, + activity, or anything created or managed by agents, such as a record resource or + instantiation. A rule may be unwritten or written or otherwise documented. Unwritten rules + may include though are not limited to the following: social mores, customs, or community + expectations. Written rules may include though are not limited to the following: + constitutions, legislation, acts (legal), statutes, legal codes, ordinances, charters, + mission statements, regulations, policies, procedures, instructions, codes of conduct or + ethics, professional standards, work assignments, or work plans. The source or sources of + some rules governing the existence or activity of an agent may be external (for example, + expressed in elections, social mores, customs, community expectations, laws, regulations, + standards, and best practice codes), while others may be expressed within the immediate + context of an agent (for example, policies, or written or verbal instructions). The + evidence for identifying rules may be found in their entirety in one documentary source + (for example, a law or regulation) or may be found in two or more sources. Rule should not + be confused with the one or more documentary sources that serve as evidence of its + identity. A documentary source is a record. + Corresponds to RiC-E16 (Rule + entity) + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Rule to at least one Thing when it is + associated with existence and lifecycle of the Thing. The Rule(s) is the source of the + Relation, and the Thing(s) is the target. + + Regel-Ding + Relación con regla + Relation impliquant une règle + Rule Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R062 and RiC-R062i + relations + + + + + Categorization of a Rule. + + Regelkategorie + Rule Type + Tipo de regla + Type de règle + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: added a + rico:RiCCMCorrespondingComponent. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2023-04-19 + Removed the 0.2 existing unnecessary restriction. + + + + + 2020-10-19 + Class added along with hasRuleType and isRuleTypeOf object + properties. + + + For example, for rules that can be applied to record resources : + access rule, use rule, etc. + Corresponds to RiC-A45 (Rule Type + attribute). + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Thing to at least one other Thing that + follows or followed it in some sequence. The Relation is oriented from the first Thing(s) + in the sequence to the following one(s): the first Thing(s) is the source, and the + following Thing(s) is the target. + + Ding-Abfolge-Ding + Relación secuencial + Relation séquentielle + Sequential Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment), skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + The relation does not specify the criteria used for ordering the + sequence. There may be zero to many intermediate entities, ignored or unknown, in the + sequence between the two connected things. Can be used, for example, for specifying that a + record "has next" another record within a record set. + Class implementation of RiC-R008 and RiC-R008i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Persons, when they are siblings. This + Relation is not oriented. + + Person-Geschwister + Relación familiar entre hermanos + Relation de fratrie + Sibling Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R048 and RiC-R048i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Persons, when they are spouses. This + Relation is not oriented. + + Person-Ehepartner + Relación matrimonial entre personas + Relation matrimoniale + Spouse Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R049 and RiC-R049i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects a Group (as an educational institution) to at least one + Person who studied or study at this group. Both 'institution' and 'at' can be interpreted + broadly. The Relation is oriented from the educational institution to the student(s): the + former is the source of the Relation, and the latter is/are the target. + + Relación entre institución educativa y estudiantes + Relation entre institution d’enseignement et étudiants + Studium-An-Beziehung + Study At Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2024-12-23 + Fixed details in the definition. Added the French and Spanish + labels. + + + + + 2024-12-19 + Added in RiC-O 1.1. + + + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Person to at least another Person who is or + was their student. The Relation is oriented from the teacher(s) to the student(s): the + teacher Person(s) is the source of the Relation, and the student Person(s) is the + target. + + Person-Student + Relación académica entre profesor y alumno + Relation entre enseignants et étudiants + Teaching Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R053 and RiC-R053i + relations + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects at least one Thing to at least one other Thing that + follows it in chronological order. The Relation is oriented chronologically: the preceding + Thing(s) is the source of the Relation, the following Thing(s) is the + target. + + Ding-Zeitfolge-Ding + Relación temporal + Relation temporelle + Temporal Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the + skos:scopeNote. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + There may be zero to many intermediate entities, ignored or + unknown, in the chronological sequence between the connected entities. + Class implementation of RiC-R009 and RiC-R009i + relations + + + + Any idea, material thing, or event within the realm of human + experience. + + Chose + Cosa + Ding + Thing + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-23 + made separate paragraphs in the scope note. + + + Includes all RiC entities as well as any concept, material + thing, or event that may be the subject of a Record Resource or associated with an + Activity. Examples of entities not explicitly addressed in RiC includes but is not limited + to the following: abstract concepts; cultural movements, named periods and events; named + things, objects and works; legendary, mythical or fictitious figures, characters or + beings. + Corresponds to RiC-E01 (Thing + entity) + + + + + A name that is used for a Record Resource or a Rule + + Intitulé + Titel + Title + Título + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of a specialization of RiC-A28 + (Name attribute) + + + + + Categorization of a Title. + + Tipo de título + Titelkategorie + Title Type + Type de titre + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2024-10-04 + Class added along with hasTitleType and isTitleTypeOf object + properties. + + + For example, 'obsolete title' ; 'title on the original' ; + 'anonimised title' + + + + + A superclass for any type of some thing. A type characterizes an + entity. + + Kategorie + Tipo + Type + Type + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2024-10-10 + Updated the rdfs:comment (replaced the word 'category' with + 'type'). + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects a category (a Type) and at least one Thing that belongs + to this category. The Type(s) is the source of the Relation, and the Thing(s) is the + target. + + Kategorie-Ding + Relation de catégorisation + Tipo de relación + Type Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + May be useful at least for some types (e.g. demographic + group) + + + + + A definite magnitude of a quantity, defined and adopted by + convention or by law, that is used as a standard for measurement of the same kind of + quantity. Can be spacial units (cm, m), weight (g, kg), time (s, h), storage (MB, TB) or + more informal units used in the archival context like number of boxes, pages or + words. + + Masseinheit + Unidad de medida + Unité de mesure + Unit Of Measurement + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added an xml:lang attribute to the rdfs:comment. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + + + 2020-10-28 + Class added in order to be able to handle units of measurement + as full entities. + + + + + + + + + true + + + + + + + 1 + + + + + + + 1 + + + + Connects a Thing to at least one other Thing that is or was a + portion or division of the whole Thing. The Relation is oriented from the Thing to its + part(s): the Thing is the source of the Relation, and the part Thing(s) is the + target. + + Relación entre todo y parte + Relation partitive + Teil-Ganzes-Beziehung + Whole Part Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R002 and RiC-R002i + relations + + + + + + + true + + + + + + + 2 + + + + Connects at least two Agents that have or had some type of work + relation in the course of their activities. This Relation is not oriented. + + Akteur-Arbeit-Akteur + Relación profesional + Relation de travail + Work Relation + + + 2025-04-08 + Added a new rdfs:label in German. + + + + + 2023-12-06 + Improved the description of the Relation class (rdfs:comment) + by clearly specifying how it is directed. + + + + + 2023-11-12 + Aligned with RiC-CM 1.0: updated the description + (rdfs:comment). + + + + + 2023-11-08 + In order to get a system of rolified Relation classes: added an + equivalentClass object property; replaced the specific object properties by the + generic ones in the subClassOf declarations. + + + + + 2023-11-02 + Added a new rdfs:label in Spanish. + + + + + 2023-08-25 + Added a new rdfs:label in French. + + + Class implementation of RiC-R046 and RiR046i + relations + + + + + + + + + + + + International Coucil on Archives Expert Group on Archival + Description (ICA EGAD) + en + es + fr + International Council on Archives Records in Contexts Vocabulary for + Documentary Form Types + 1.1 + Documentary Form Types + Tipos documentales + Types de documents + + + 2025-05-14 + Added a dcat:version property. + + + + + 2025-01-30 + Added the IIIF manifest documentary form type, with broader + concept finding aid. Updated the scope note of the vocabulary. + + + + + 2023-12-13 + Completed the metadata of the vocabulary: added dc:language, a + history note and a scope note. + + + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + A vocabulary that provides URIs for describing documentary form + types of RiC Records and Record Parts. + For now this vocabulary only defines three concepts; it should + hopefully be completed later. The concepts defined in this vocabulary can be used in + combination with RiC-O classes and properties, whenever necessary and appropriate, to + assign a documentary form type to a Record or a Record Part, using the + rico:hasDocumentaryFormType object property, or its inverse one. They also can be used to + specify that a rico:RecordSet included or includes members whose some + (rico:hasOrHadSomeMembersWithDocumentaryFormType) or all + (rico:hasOrHadAllMembersWithDocumentaryFormType) have some Documentary Form Type. Each + concept is both defined as a skos:Concept and a rico:DocumentaryFormType, so that it is + possible to extend the classic definition of such concepts using RiC-O properties. For + example, you can use rico:history, rico:date, or rico:isAssociatedWithPlace, + rico:precedesInTime, if you consider a documentary form type as being a historical entity, + known and used in some known space or time region. + + + + + + + + authority record + notice d’autorité + registro de autoridad + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + This category can be used for records that describe an + entity. + + + + + + + + + finding aid + instrument de recherche + instrumento de descripción + + + 2025-01-30 + Added a skos:narrower with object the IIIF Manifest + concept. + + + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + This documentary form type can be used for records that + aggregate and organizes metadata on some record(s) or record set(s). + + + + + + + + IIIF manifest + manifeste IIIF + + + 2025-01-30 + Added to RiC-O 1.1. + + + Can be used to categorize records which describe collections of + cultural heritage objects, or of a single cultural object, and whose instantiations are + compliant to the IIIF Presentation API. + + + + + + + + + International Coucil on Archives Expert Group on Archival + Description (ICA EGAD) + en + es + fr + International Council on Archives Records in Contexts Vocabulary for + Record Set Types + 1.1 + Record Set Types + Tipos de agrupación documental + Types d’ensembles d’objets informationnels + + + 2025-05-14 + Added a dcat:version property. + + + + + 2023-12-13 + Completed the metadata of the vocabulary: added dc:language, a + history note and a scope note. + + + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + A vocabulary that provides URIs for describing types of RiC + Record Sets. + For now this vocabulary only defines four top concepts; it + should hopefully be completed later. The concepts defined in this vocabulary can be used in + combination with RiC-O classes and properties, whenever necessary and appropriate, to + assign a record set type to a Record Set, using the rico:hasRecordSetType object property, + or its inverse one. Each concept is both defined as a skos:Concept and a + rico:RecordSetType, so that it is possible to extend the classic definition of such + concepts using RiC-O properties. For example, you can use rico:history, rico:date, or + rico:isAssociatedWithPlace, rico:precedesInTime, if you consider a record set type as being + a historical entity, known and used in some known space or time region. + + + + + + + + colección + collection + collection + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + An artificial assemblage of documents accumulated on the basis + of some common characteristic without regard to the provenance of those documents. Not to + be confused with an archival fonds. (From ICA ISAD(G)) + + + + + + + + dossier + expediente + file + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + An organized unit of documents grouped together either for + current use by the creator or in the process of archival arrangement, because they relate + to the same subject, activity, or transaction. A file is usually the basic unit within a + record series. (From ICA ISAD(G)) + + + + + + + + fondo + fonds + fonds + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + The whole of the records, regardless of form or medium, + organically created and/or accumulated and used by a particular person, family, or + corporate body in the course of that creator's activities and functions. (From ICA + ISAD(G)) + + + + + + + + serie + série organique + series + + + 2023-11-25 + Added a new rdfs:label in Spanish. + + + + + 2023-08-28 + Added a new rdfs:label in French. + + + Documents arranged in accordance with a filing system or + maintained as a unit because they result from the same accumulation or filing process, or + the same activity; have a particular form; or because of some other relationship arising + out of their creation, receipt, or use. A series is also known as a records series. (From + ICA ISAD(G)) + + diff --git a/frontend/public/ontology/schemaorg.owl b/frontend/public/ontology/schemaorg.owl new file mode 100644 index 0000000000..46b17cc7f2 --- /dev/null +++ b/frontend/public/ontology/schemaorg.owl @@ -0,0 +1,40646 @@ + + + + + 29.3 + Schema.org Vocabulary + 2025-09-04 + + + + + A 3D model represents some kind of 3D content, which may have <a class="localLink" href="/encoding">encoding</a>s in one or more <a class="localLink" href="/MediaObject">MediaObject</a>s. Many 3D formats are available (e.g. see <a href="https://en.wikipedia.org/wiki/Category:3D_graphics_file_formats">Wikipedia</a>); specific encoding formats can be represented using the <a class="localLink" href="/encodingFormat">encodingFormat</a> property applied to the relevant <a class="localLink" href="/MediaObject">MediaObject</a>. For the +case of a single file published after Zip compression, the convention of appending '+zip' to the <a class="localLink" href="/encodingFormat">encodingFormat</a> can be used. Geospatial, AR/VR, artistic/animation, gaming, engineering and scientific content can all be represented using <a class="localLink" href="/3DModel">3DModel</a>. + + 3DModel + + + + A radio channel that uses AM. + + AMRadioChannel + + + + APIReference + + Reference documentation for application programming interfaces (APIs). + + + + + AboutPage + Web page type: About page. + + + + The act of committing to/adopting an object.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/RejectAction">RejectAction</a>: The antonym of AcceptAction.</li> +</ul> + + AcceptAction + + + + + Accommodation + An accommodation is a place that can accommodate human beings, e.g. a hotel room, a camping pitch, or a meeting room. Many accommodations are for overnight stays, but this is not a mandatory requirement. +For more specific types of accommodations not defined in schema.org, one can use <a class="localLink" href="/additionalType">additionalType</a> with external vocabularies. +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + + Accountancy business.<br/><br/> + +As a <a class="localLink" href="/LocalBusiness">LocalBusiness</a> it can be described as a <a class="localLink" href="/provider">provider</a> of one or more <a class="localLink" href="/Service">Service</a>(s). + AccountingService + + + + AchieveAction + + The act of accomplishing something via previous efforts. It is an instantaneous action rather than an ongoing process. + + + + + Action + An action performed by a direct agent and indirect participants upon a direct object. Optionally happens at a location with the help of an inanimate instrument. The execution of the action may produce a result. Specific action sub-type documentation specifies the exact expectation of each argument/role.<br/><br/> + +See also <a href="https://blog.schema.org/2014/04/16/announcing-schema-org-actions/">blog post</a> and <a href="https://schema.org/docs/actions.html">Actions overview document</a>. + + + + A set of requirements that must be fulfilled in order to perform an Action. + ActionAccessSpecification + + + + + ActionStatusType + + The status of an Action. + + + + ActivateAction + + The act of starting or activating a device or application (e.g. starting a timer or turning on a flashlight). + + + + AddAction + The act of editing by adding an object to a collection. + + + + + + A geographical region, typically under the jurisdiction of a particular government. + AdministrativeArea + + + + + AdultEntertainment + An adult entertainment establishment. + + + + + Enumeration of considerations that make a product relevant or potentially restricted for adults only. + AdultOrientedEnumeration + + + + An <a class="localLink" href="/Article">Article</a> that an external entity has paid to place or to produce to its specifications. Includes <a href="https://en.wikipedia.org/wiki/Advertorial">advertorials</a>, sponsored content, native advertising and other paid content. + AdvertiserContentArticle + + + + + When a single product is associated with multiple offers (for example, the same pair of shoes is offered by different merchants), then AggregateOffer can be used.<br/><br/> + +Note: AggregateOffers are normally expected to associate multiple offers that all share the same defined <a class="localLink" href="/businessFunction">businessFunction</a> value, or default to http://purl.org/goodrelations/v1#Sell if businessFunction is not explicitly defined. + AggregateOffer + + + + + The average rating based on multiple ratings or reviews. + + AggregateRating + + + + + The act of expressing a consistency of opinion with the object. An agent agrees to/about an object (a proposition, topic or theme) with participants. + AgreeAction + + + + Airline + + An organization that provides flights for passengers. + + + + Airport + + An airport. + + + + + AlignmentObject + An intangible item that describes an alignment between a learning resource and a node in an educational framework.<br/><br/> + +Should not be used where the nature of the alignment can be described using a simple property, for example to express that a resource <a class="localLink" href="/teaches">teaches</a> or <a class="localLink" href="/assesses">assesses</a> a competency. + + + + The act of organizing tasks/objects/events by associating resources to it. + + AllocateAction + + + + + + A creative work with a visual storytelling format intended to be viewed online, particularly on mobile devices. + AmpStory + + + + AmusementPark + + An amusement park. + + + + + An AnalysisNewsArticle is a <a class="localLink" href="/NewsArticle">NewsArticle</a> that, while based on factual reporting, incorporates the expertise of the author/producer, offering interpretations and conclusions. + AnalysisNewsArticle + + + + AnatomicalStructure + + Any part of the human body, typically a component of an anatomical system. Organs, tissues, and cells are all anatomical structures. + + + + + An anatomical system is a group of anatomical structures that work together to perform a certain task. Anatomical systems, such as organ systems, are one organizing principle of anatomy, and can include circulatory, digestive, endocrine, integumentary, immune, lymphatic, muscular, nervous, reproductive, respiratory, skeletal, urinary, vestibular, and other systems. + AnatomicalSystem + + + + + AnimalShelter + Animal shelter. + + + + An answer offered to a question; perhaps correct, perhaps opinionated or wrong. + Answer + + + + + An apartment (in American English) or flat (in British English) is a self-contained housing unit (a type of residential real estate) that occupies only part of a building (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/Apartment">http://en.wikipedia.org/wiki/Apartment</a>). + + Apartment + + + + + Residence type: Apartment complex. + ApartmentComplex + + + + + AppendAction + The act of inserting at the end if an ordered collection. + + + + The act of registering to an organization/service without the guarantee to receive it.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/RegisterAction">RegisterAction</a>: Unlike RegisterAction, ApplyAction has no guarantees that the application will be accepted.</li> +</ul> + + ApplyAction + + + + + + ApprovedIndication + An indication for a medical therapy that has been formally specified or approved by a regulatory body that regulates use of the therapy; for example, the US FDA approves indications for most drugs in the US. + + + + Aquarium. + Aquarium + + + + + An intangible type to be applied to any archive content, carrying with it a set of properties required to describe archival items and collections. + ArchiveComponent + + + + + An organization with archival holdings. An organization which keeps and preserves archival material and typically makes it accessible to the public. + ArchiveOrganization + + + + + ArriveAction + + The act of arriving at a place. An agent arrives at a destination from a fromLocation, optionally with participants. + + + + + An art gallery. + ArtGallery + + + + Artery + + A type of blood vessel that specifically carries blood away from the heart. + + + + + Article + An article, such as a news article or piece of investigative report. Newspapers and magazines have articles of many different types and this is intended to cover them all.<br/><br/> + +See also <a href="https://blog.schema.org/2014/09/02/schema-org-support-for-bibliographic-relationships-and-periodicals/">blog post</a>. + + + + The act of posing a question / favor to someone.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ReplyAction">ReplyAction</a>: Appears generally as a response to AskAction.</li> +</ul> + + AskAction + + + + + AskPublicNewsArticle + + A <a class="localLink" href="/NewsArticle">NewsArticle</a> expressing an open call by a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a> asking the public for input, insights, clarifications, anecdotes, documentation, etc., on an issue, for reporting purposes. + + + + AssessAction + The act of forming one's opinion, reaction or sentiment. + + + + + + The act of allocating an action/event/task to some destination (someone or something). + AssignAction + + + + A collection or bound volume of maps, charts, plates or tables, physical or in media form illustrating any subject. + + Atlas + + + + Attorney + + Professional service: Attorney. <br/><br/> + +This type is deprecated - <a class="localLink" href="/LegalService">LegalService</a> is more inclusive and less ambiguous. + + + + Audience + + Intended audience for an item, i.e. the group for whom the item was created. + + + + An audio file. + + AudioObject + + + + + A specific and exact (byte-for-byte) version of an <a class="localLink" href="/AudioObject">AudioObject</a>. Two byte-for-byte identical files, for the purposes of this type, considered identical. If they have different embedded metadata the files will differ. Different external facts about the files, e.g. creator or dateCreated that aren't represented in their actual content, do not affect this notion of identity. + AudioObjectSnapshot + + + + + + An audiobook. + Audiobook + + + + AuthorizeAction + The act of granting permission to an object. + + + + + AutoBodyShop + Auto body shop. + + + + + + AutoDealer + An car dealership. + + + + + + AutoPartsStore + An auto parts store. + + + + A car rental business. + AutoRental + + + + + Car repair business. + + AutoRepair + + + + AutoWash + + A car wash business. + + + + AutomatedTeller + ATM/cash machine. + + + + + Car repair, sales, or parts. + AutomotiveBusiness + + + + + A <a class="localLink" href="/NewsArticle">NewsArticle</a> providing historical context, definition and detail on a specific topic (aka "explainer" or "backgrounder"). For example, an in-depth article or frequently-asked-questions (<a href="https://en.wikipedia.org/wiki/FAQ">FAQ</a>) document on topics such as Climate Change or the European Union. Other kinds of background material from a non-news setting are often described using <a class="localLink" href="/Book">Book</a> or <a class="localLink" href="/Article">Article</a>, in particular <a class="localLink" href="/ScholarlyArticle">ScholarlyArticle</a>. See also <a class="localLink" href="/NewsArticle">NewsArticle</a> for related vocabulary from a learning/education perspective. + + BackgroundNewsArticle + + + + + Bakery + A bakery. + + + + BankAccount + + A product or service offered by a bank whereby one may deposit, withdraw or transfer money and in some cases be paid interest. + + + + Bank or credit union. + + BankOrCreditUnion + + + + BarOrPub + A bar or pub. + + + + + + Barcode + An image of a visual machine-readable code such as a barcode or QR code. + + + + Beach + + Beach. + + + + + Beauty salon. + BeautySalon + + + + BedAndBreakfast + + Bed and breakfast. +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + An entity holding detailed information about the available bed types, e.g. the quantity of twin beds for a hotel room. For the single case of just one bed of a certain type, you can use bed directly with a text. See also <a class="localLink" href="/BedType">BedType</a> (under development). + BedDetails + + + + A type of bed. This is used for indicating the bed or beds available in an accommodation. + BedType + + + + + + BefriendAction + The act of forming a personal connection with someone (object) mutually/bidirectionally/symmetrically.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/FollowAction">FollowAction</a>: Unlike FollowAction, BefriendAction implies that the connection is reciprocal.</li> +</ul> + + + + + + BikeStore + A bike store. + + + + + Any biological, chemical, or biochemical thing. For example: a protein; a gene; a chemical; a synthetic chemical. + BioChemEntity + + + + A <a href="https://en.wikipedia.org/wiki/Blog">blog</a>, sometimes known as a "weblog". Note that the individual posts (<a class="localLink" href="/BlogPosting">BlogPosting</a>s) in a <a class="localLink" href="/Blog">Blog</a> are often colloquially referred to by the same term. + Blog + + + + + A blog post. + + BlogPosting + + + + A medical test performed on a sample of a patient's blood. + BloodTest + + + + + A type of boarding policy used by an airline. + BoardingPolicyType + + + + + BoatReservation + + A reservation for boat travel.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + + + + + A terminal for boats, ships, and other water vessels. + BoatTerminal + + + + BoatTrip + A trip on a commercial ferry line. + + + + + BodyMeasurementTypeEnumeration + + Enumerates types (or dimensions) of a person's body measurements, for example for fitting of clothes. + + + + A body of water, such as a sea, ocean, or lake. + BodyOfWater + + + + + Bone + + Rigid connective tissue that comprises up the skeletal structure of the human body. + + + + Book + + A book. + + + + BookFormatType + + The publication format of the book. + + + + A series of books. Included books can be indicated with the hasPart property. + + BookSeries + + + + + A bookstore. + BookStore + + + + An agent bookmarks/flags/labels/tags/marks an object. + BookmarkAction + + + + + Boolean + + Boolean: True or False. + + + + + The act of obtaining an object under an agreement to return it at a later date. Reciprocal of LendAction.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/LendAction">LendAction</a>: Reciprocal of BorrowAction.</li> +</ul> + + BorrowAction + + + + BowlingAlley + A bowling alley. + + + + + BrainStructure + Any anatomical structure which pertains to the soft nervous tissue functioning as the coordinating center of sensation and intellectual and nervous activity. + + + + + + Brand + A brand is a name used by an organization or business person for labeling a product, product group, or similar. + + + + BreadcrumbList + A BreadcrumbList is an ItemList consisting of a chain of linked Web pages, typically described using at least their URL and their name, and typically ending with the current page.<br/><br/> + +The <a class="localLink" href="/position">position</a> property is used to reconstruct the order of the items in a BreadcrumbList. The convention is that a breadcrumb list has an <a class="localLink" href="/itemListOrder">itemListOrder</a> of <a class="localLink" href="/ItemListOrderAscending">ItemListOrderAscending</a> (lower values listed first), and that the first items in this list correspond to the "top" or beginning of the breadcrumb trail, e.g. with a site or section homepage. The specific values of 'position' are not assigned meaning for a BreadcrumbList, but they should be integers, e.g. beginning with '1' for the first item in the list. + + + + + Brewery + Brewery. + + + + + A bridge. + + Bridge + + + + + A unique instance of a BroadcastService on a CableOrSatelliteService lineup. + BroadcastChannel + + + + An over the air or online broadcast event. + + BroadcastEvent + + + + The frequency in MHz and the modulation used for a particular BroadcastService. + + BroadcastFrequencySpecification + + + + BroadcastService + A delivery service through which content is provided via broadcast over the air or online. + + + + + BrokerageAccount + + An account that allows an investor to deposit funds and place investment orders with a licensed broker or brokerage firm. + + + + A Buddhist temple. + BuddhistTemple + + + + + BusOrCoach + A bus (also omnibus or autobus) is a road vehicle designed to carry passengers. Coaches are luxury buses, usually in service for long distance travel. + + + + + BusReservation + + A reservation for bus travel. <br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + + + + A bus station. + + BusStation + + + + A bus stop. + + BusStop + + + + A trip on a commercial bus line. + BusTrip + + + + + A set of characteristics belonging to businesses, e.g. who compose an item's target audience. + + BusinessAudience + + + + BusinessEntityType + A business entity type is a conceptual entity representing the legal form, the size, the main line of business, the position in the value chain, or any combination thereof, of an organization or business person.<br/><br/> + +Commonly used values:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#Business</li> +<li>http://purl.org/goodrelations/v1#Enduser</li> +<li>http://purl.org/goodrelations/v1#PublicInstitution</li> +<li>http://purl.org/goodrelations/v1#Reseller</li> +</ul> + + + + + + Event type: Business event. + BusinessEvent + + + + + The business function specifies the type of activity or access (i.e., the bundle of rights) offered by the organization or business person through the offer. Typical are sell, rental or lease, maintenance or repair, manufacture / produce, recycle / dispose, engineering / construction, or installation. Proprietary specifications of access rights are also instances of this class.<br/><br/> + +Commonly used values:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#ConstructionInstallation</li> +<li>http://purl.org/goodrelations/v1#Dispose</li> +<li>http://purl.org/goodrelations/v1#LeaseOut</li> +<li>http://purl.org/goodrelations/v1#Maintain</li> +<li>http://purl.org/goodrelations/v1#ProvideService</li> +<li>http://purl.org/goodrelations/v1#Repair</li> +<li>http://purl.org/goodrelations/v1#Sell</li> +<li>http://purl.org/goodrelations/v1#Buy</li> +</ul> + + BusinessFunction + + + + + The act of giving money to a seller in exchange for goods or services rendered. An agent buys an object, product, or service from a seller for a price. Reciprocal of SellAction. + BuyAction + + + + + A CDCPMDRecord is a data structure representing a record in a CDC tabular data format + used for hospital data reporting. See <a href="/docs/cdc-covid.html">documentation</a> for details, and the linked CDC materials for authoritative + definitions used as the source here. + + CDCPMDRecord + + + + A service which provides access to media programming like TV or radio. Access may be via cable or satellite. + + CableOrSatelliteService + + + + CafeOrCoffeeShop + + A cafe or coffee shop. + + + + + + A camping site, campsite, or <a class="localLink" href="/Campground">Campground</a> is a place used for overnight stay in the outdoors, typically containing individual <a class="localLink" href="/CampingPitch">CampingPitch</a> locations. <br/><br/> + +In British English a campsite is an area, usually divided into a number of pitches, where people can camp overnight using tents or camper vans or caravans; this British English use of the word is synonymous with the American English expression campground. In American English the term campsite generally means an area where an individual, family, group, or military unit can pitch a tent or park a camper; a campground may contain many campsites (source: Wikipedia, see <a href="https://en.wikipedia.org/wiki/Campsite">https://en.wikipedia.org/wiki/Campsite</a>).<br/><br/> + +See also the dedicated <a href="/docs/hotels.html">document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + Campground + + + + CampingPitch + A <a class="localLink" href="/CampingPitch">CampingPitch</a> is an individual place for overnight stay in the outdoors, typically being part of a larger camping site, or <a class="localLink" href="/Campground">Campground</a>.<br/><br/> + +In British English a campsite, or campground, is an area, usually divided into a number of pitches, where people can camp overnight using tents or camper vans or caravans; this British English use of the word is synonymous with the American English expression campground. In American English the term campsite generally means an area where an individual, family, group, or military unit can pitch a tent or park a camper; a campground may contain many campsites. +(Source: Wikipedia, see <a href="https://en.wikipedia.org/wiki/Campsite">https://en.wikipedia.org/wiki/Campsite</a>.)<br/><br/> + +See also the dedicated <a href="/docs/hotels.html">document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + Canal + A canal, like the Panama Canal. + + + + + The act of asserting that a future event/action is no longer going to happen.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ConfirmAction">ConfirmAction</a>: The antonym of CancelAction.</li> +</ul> + + CancelAction + + + + + Car + + A car is a wheeled, self-powered motor vehicle used for transportation. + + + + + CarUsageType + A value indicating a special usage of a car, e.g. commercial rental, driving school, or as a taxi. + + + + + Casino + A casino. + + + + A Category Code. + CategoryCode + + + + + CategoryCodeSet + + A set of Category Code values. + + + + CatholicChurch + + A Catholic church. + + + + A graveyard. + + Cemetery + + + + + A Certification is an official and authoritative statement about a subject, for example a product, service, person, or organization. A certification is typically issued by an indendent certification body, for example a professional organization or government. It formally attests certain characteristics about the subject, for example Organizations can be ISO certified, Food products can be certified Organic or Vegan, a Person can be a certified professional, a Place can be certified for food processing. There are certifications for many domains: regulatory, organizational, recycling, food, efficiency, educational, ecological, etc. A certification is a form of credential, as are accreditations and licenses. Mapped from the <a href="https://www.gs1.org/voc/CertificationDetails">gs1:CertificationDetails</a> class in the GS1 Web Vocabulary. + Certification + + + + + Enumerates the different statuses of a Certification (Active and Inactive). + CertificationStatusEnumeration + + + + One of the sections into which a book is divided. A chapter usually has a section number or a name. + Chapter + + + + + An agent inspects, determines, investigates, inquires, or examines an object's accuracy, quality, condition, or state. + + CheckAction + + + + CheckInAction + The act of an agent communicating (service provider, social media, etc) their arrival by registering/confirming for a previously reserved service (e.g. flight check-in) or at a place (e.g. hotel), possibly resulting in a result (boarding pass, etc).<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/CheckOutAction">CheckOutAction</a>: The antonym of CheckInAction.</li> +<li><a class="localLink" href="/ArriveAction">ArriveAction</a>: Unlike ArriveAction, CheckInAction implies that the agent is informing/confirming the start of a previously reserved service.</li> +<li><a class="localLink" href="/ConfirmAction">ConfirmAction</a>: Unlike ConfirmAction, CheckInAction implies that the agent is informing/confirming the <em>start</em> of a previously reserved service rather than its validity/existence.</li> +</ul> + + + + + + CheckOutAction + + The act of an agent communicating (service provider, social media, etc) their departure of a previously reserved service (e.g. flight check-in) or place (e.g. hotel).<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/CheckInAction">CheckInAction</a>: The antonym of CheckOutAction.</li> +<li><a class="localLink" href="/DepartAction">DepartAction</a>: Unlike DepartAction, CheckOutAction implies that the agent is informing/confirming the end of a previously reserved service.</li> +<li><a class="localLink" href="/CancelAction">CancelAction</a>: Unlike CancelAction, CheckOutAction implies that the agent is informing/confirming the end of a previously reserved service.</li> +</ul> + + + + + Web page type: Checkout page. + CheckoutPage + + + + + + ChemicalSubstance + A chemical substance is 'a portion of matter of constant composition, composed of molecular entities of the same type or of different types' (source: <a href="https://www.ebi.ac.uk/chebi/searchId.do?chebiId=59999">ChEBI:59999</a>). + + + + + A Childcare center. + ChildCare + + + + ChildrensEvent + Event type: Children's event. + + + + + ChooseAction + + The act of expressing a preference from a set of options or a large or unbounded set of choices/options. + + + + A church. + Church + + + + + A city or town. + + City + + + + + CityHall + A city hall. + + + + A public structure, such as a town hall or concert hall. + CivicStructure + + + + + + Claim + A <a class="localLink" href="/Claim">Claim</a> in Schema.org represents a specific, factually-oriented claim that could be the <a class="localLink" href="/itemReviewed">itemReviewed</a> in a <a class="localLink" href="/ClaimReview">ClaimReview</a>. The content of a claim can be summarized with the <a class="localLink" href="/text">text</a> property. Variations on well known claims can have their common identity indicated via <a class="localLink" href="/sameAs">sameAs</a> links, and summarized with a <a class="localLink" href="/name">name</a>. Ideally, a <a class="localLink" href="/Claim">Claim</a> description includes enough contextual information to minimize the risk of ambiguity or inclarity. In practice, many claims are better understood in the context in which they appear or the interpretations provided by claim reviews.<br/><br/> + +Beyond <a class="localLink" href="/ClaimReview">ClaimReview</a>, the Claim type can be associated with related creative works - for example a <a class="localLink" href="/ScholarlyArticle">ScholarlyArticle</a> or <a class="localLink" href="/Question">Question</a> might be <a class="localLink" href="/about">about</a> some <a class="localLink" href="/Claim">Claim</a>.<br/><br/> + +At this time, Schema.org does not define any types of relationship between claims. This is a natural area for future exploration. + + + + ClaimReview + A fact-checking review of claims made (or reported) in some creative work (referenced via itemReviewed). + + + + + + Class + A class, also often called a 'Type'; equivalent to rdfs:Class. + + + + A short TV or radio program or a segment/part of a program. + + Clip + + + + A clothing store. + + ClothingStore + + + + + Computer programming source code. Example: Full (compile ready) solutions, code snippet samples, scripts, templates. + Code + + + + Collection + A collection of items, e.g. creative works or products. + + + + + CollectionPage + Web page type: Collection page. + + + + + CollegeOrUniversity + + A college, university, or other third-level educational institution. + + + + A comedy club. + ComedyClub + + + + + + Event type: Comedy event. + ComedyEvent + + + + + + ComicCoverArt + The artwork on the cover of a comic. + + + + + ComicIssue + Individual comic issues are serially published as + part of a larger series. For the sake of consistency, even one-shot issues + belong to a series comprised of a single issue. All comic issues can be + uniquely identified by: the combination of the name and volume number of the + series to which the issue belongs; the issue number; and the variant + description of the issue (if any). + + + + ComicSeries + A sequential publication of comic stories under a + unifying title, for example "The Amazing Spider-Man" or "Groo the + Wanderer". + + + + + ComicStory + The term "story" is any indivisible, re-printable + unit of a comic, including the interior stories, covers, and backmatter. Most + comics have at least two stories: a cover (ComicCoverArt) and an interior story. + + + + + Comment + A comment on an item - for example, a comment on a blog post. The comment's content is expressed via the <a class="localLink" href="/text">text</a> property, and its topic via <a class="localLink" href="/about">about</a>, properties shared with all CreativeWorks. + + + + + The act of generating a comment about a subject. + + CommentAction + + + + The act of conveying information to another person via a communication medium (instrument) such as speech, email, or telephone conversation. + CommunicateAction + + + + + CompleteDataFeed + A <a class="localLink" href="/CompleteDataFeed">CompleteDataFeed</a> is a <a class="localLink" href="/DataFeed">DataFeed</a> whose standard representation includes content for every item currently in the feed.<br/><br/> + +This is the equivalent of Atom's element as defined in Feed Paging and Archiving <a href="https://tools.ietf.org/html/rfc5005">RFC 5005</a>, for example (and as defined for Atom), when using data from a feed that represents a collection of items that varies over time (e.g. "Top Twenty Records") there is no need to have newer entries mixed in alongside older, obsolete entries. By marking this feed as a CompleteDataFeed, old entries can be safely discarded when the feed is refreshed, since we can assume the feed has provided descriptions for all current items. + + + + + + A compound price specification is one that bundles multiple prices that all apply in combination for different dimensions of consumption. Use the name property of the attached unit price specification for indicating the dimension of a price component (e.g. "electricity" or "final cleaning"). + CompoundPriceSpecification + + + + This type covers computer programming languages such as Scheme and Lisp, as well as other language-like computer representations. Natural languages are best represented with the <a class="localLink" href="/Language">Language</a> type. + + ComputerLanguage + + + + + ComputerStore + A computer store. + + + + ConfirmAction + The act of notifying someone that a future event/action is going to happen as expected.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/CancelAction">CancelAction</a>: The antonym of ConfirmAction.</li> +</ul> + + + + + + Consortium + A Consortium is a membership <a class="localLink" href="/Organization">Organization</a> whose members are typically Organizations. + + + + + ConstraintNode + + The ConstraintNode type is provided to support usecases in which a node in a structured data graph is described with properties which appear to describe a single entity, but are being used in a situation where they serve a more abstract purpose. A <a class="localLink" href="/ConstraintNode">ConstraintNode</a> can be described using <a class="localLink" href="/constraintProperty">constraintProperty</a> and <a class="localLink" href="/numConstraints">numConstraints</a>. These constraint properties can serve a + variety of purposes, and their values may sometimes be understood to indicate sets of possible values rather than single, exact and specific values. + + + + ConsumeAction + The act of ingesting information/resources/food. + + + + + + Web page type: Contact page. + ContactPage + + + + A contact point&#x2014;for example, a Customer Complaints department. + ContactPoint + + + + + Enumerated options related to a ContactPoint. + ContactPointOption + + + + + Continent + One of the continents (for example, Europe or Africa). + + + + + ControlAction + + An agent controls a device or application. + + + + + ConvenienceStore + A convenience store. + + + + Conversation + + One or more messages between organizations or people on a particular topic. Individual messages can be linked to the conversation with isPartOf or hasPart properties. + + + + The act of producing/preparing food. + CookAction + + + + + + Cooperative + An organization that is a joint project of multiple organizations or persons. + + + + Organization: A business corporation. + + Corporation + + + + + A <a class="localLink" href="/comment">comment</a> that corrects <a class="localLink" href="/CreativeWork">CreativeWork</a>. + CorrectionComment + + + + Country + + A country. + + + + A description of an educational course which may be offered as distinct instances which take place at different times or take place at different locations, or be offered through different media or modes of study. An educational course is a sequence of one or more educational events and/or creative works which aims to build knowledge, competence or ability of learners. + Course + + + + + + CourseInstance + + An instance of a <a class="localLink" href="/Course">Course</a> which is distinct from other instances because it is offered at a different time or location or through different media or modes of study or to a specific section of students. + + + + A courthouse. + + Courthouse + + + + The artwork on the outer surface of a CreativeWork. + + CoverArt + + + + + CovidTestingFacility + A CovidTestingFacility is a <a class="localLink" href="/MedicalClinic">MedicalClinic</a> where testing for the COVID-19 Coronavirus + disease is available. If the facility is being made available from an established <a class="localLink" href="/Pharmacy">Pharmacy</a>, <a class="localLink" href="/Hotel">Hotel</a>, or other + non-medical organization, multiple types can be listed. This makes it easier to re-use existing schema.org information + about that place, e.g. contact info, address, opening hours. Note that in an emergency, such information may not always be reliable. + + + + + The act of deliberately creating/producing/generating/building a result out of the agent. + CreateAction + + + + + CreativeWork + The most generic kind of creative work, including books, movies, photographs, software programs, etc. + + + + + A media season, e.g. TV, radio, video game etc. + CreativeWorkSeason + + + + CreativeWorkSeries + + + A CreativeWorkSeries in schema.org is a group of related items, typically but not necessarily of the same kind. CreativeWorkSeries are usually organized into some order, often chronological. Unlike <a class="localLink" href="/ItemList">ItemList</a> which is a general purpose data structure for lists of things, the emphasis with CreativeWorkSeries is on published materials (written e.g. books and periodicals, or media such as TV, radio and games).<br/><br/> + +Specific subtypes are available for describing <a class="localLink" href="/TVSeries">TVSeries</a>, <a class="localLink" href="/RadioSeries">RadioSeries</a>, <a class="localLink" href="/MovieSeries">MovieSeries</a>, <a class="localLink" href="/BookSeries">BookSeries</a>, <a class="localLink" href="/Periodical">Periodical</a> and <a class="localLink" href="/VideoGameSeries">VideoGameSeries</a>. In each case, the <a class="localLink" href="/hasPart">hasPart</a> / <a class="localLink" href="/isPartOf">isPartOf</a> properties can be used to relate the CreativeWorkSeries to its parts. The general CreativeWorkSeries type serves largely just to organize these more specific and practical subtypes.<br/><br/> + +It is common for properties applicable to an item from the series to be usefully applied to the containing group. Schema.org attempts to anticipate some of these cases, but publishers should be free to apply properties of the series parts to the series as a whole wherever they seem appropriate. + + + + CreditCard + A card payment method of a particular brand or name. Used to mark up a particular payment method and/or the financial product/service that supplies the card account.<br/><br/> + +Commonly used values:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#AmericanExpress</li> +<li>http://purl.org/goodrelations/v1#DinersClub</li> +<li>http://purl.org/goodrelations/v1#Discover</li> +<li>http://purl.org/goodrelations/v1#JCB</li> +<li>http://purl.org/goodrelations/v1#MasterCard</li> +<li>http://purl.org/goodrelations/v1#VISA</li> +</ul> + + + + + + + + Crematorium + A crematorium. + + + + CriticReview + A <a class="localLink" href="/CriticReview">CriticReview</a> is a more specialized form of Review written or published by a source that is recognized for its reviewing activities. These can include online columns, travel and food guides, TV and radio shows, blogs and other independent Web sites. <a class="localLink" href="/CriticReview">CriticReview</a>s are typically more in-depth and professionally written. For simpler, casually written user/visitor/viewer/customer reviews, it is more appropriate to use the <a class="localLink" href="/UserReview">UserReview</a> type. Review aggregator sites such as Metacritic already separate out the site's user reviews from selected critic reviews that originate from third-party sources. + + + + + Text representing a CSS selector. + CssSelectorType + + + + + CurrencyConversionService + + A service to convert funds from one currency to another currency. + + + + DDxElement + An alternative, closely-related condition typically considered later in the differential diagnosis process along with the signs that are used to distinguish it. + + + + + + Event type: A social dance. + DanceEvent + + + + + DanceGroup + A dance group&#x2014;for example, the Alvin Ailey Dance Theater or Riverdance. + + + + + DataCatalog + A collection of datasets. + + + + + All or part of a <a class="localLink" href="/Dataset">Dataset</a> in downloadable form. + DataDownload + + + + A single feed providing structured information about one or more entities or topics. + + DataFeed + + + + DataFeedItem + A single item within a larger data feed. + + + + + The basic data types such as Integers, Strings, etc. + + DataType + + + + Dataset + + A body of structured information describing some topic(s) of interest. + + + + Date + + A date value in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 date format</a>. + + + + A combination of date and time of day in the form [-]CCYY-MM-DDThh:mm:ss[Z|(+|-)hh:mm] (see Chapter 5.4 of ISO 8601). + + DateTime + + + + A DatedMoneySpecification represents monetary values with optional start and end dates. For example, this could represent an employee's salary over a specific period of time. <strong>Note:</strong> This type has been superseded by <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a>, use of that type is recommended. + DatedMoneySpecification + + + + + The day of the week, e.g. used to specify to which day the opening hours of an OpeningHoursSpecification refer.<br/><br/> + +Originally, URLs from <a href="http://purl.org/goodrelations/v1">GoodRelations</a> were used (for <a class="localLink" href="/Monday">Monday</a>, <a class="localLink" href="/Tuesday">Tuesday</a>, <a class="localLink" href="/Wednesday">Wednesday</a>, <a class="localLink" href="/Thursday">Thursday</a>, <a class="localLink" href="/Friday">Friday</a>, <a class="localLink" href="/Saturday">Saturday</a>, <a class="localLink" href="/Sunday">Sunday</a> plus a special entry for <a class="localLink" href="/PublicHolidays">PublicHolidays</a>); these have now been integrated directly into schema.org. + + DayOfWeek + + + + A day spa. + + DaySpa + + + + + DeactivateAction + The act of stopping or deactivating a device or application (e.g. stopping a timer or turning off a flashlight). + + + + DefenceEstablishment + A defence establishment, such as an army or navy base. + + + + + DefinedRegion + A DefinedRegion is a geographic area defined by potentially arbitrary (rather than political, administrative or natural geographical) criteria. Properties are provided for defining a region by reference to sets of postal codes.<br/><br/> + +Examples: a delivery destination when shopping. Region where regional pricing is configured.<br/><br/> + +Requirement 1: +Country: US +States: "NY", "CA"<br/><br/> + +Requirement 2: +Country: US +PostalCode Set: { [94000-94585], [97000, 97999], [13000, 13599]} +{ [12345, 12345], [78945, 78945], } +Region = state, canton, prefecture, autonomous community... + + + + + A word, name, acronym, phrase, etc. with a formal definition. Often used in the context of category or subject classification, glossaries or dictionaries, product or creative work types, etc. Use the name property for the term being defined, use termCode if the term has an alpha-numeric code allocated, use description to provide the definition of the term. + DefinedTerm + + + + + DefinedTermSet + A set of defined terms, for example a set of categories or a classification scheme, a glossary, dictionary or enumeration. + + + + + + The act of editing a recipient by removing one of its objects. + DeleteAction + + + + + DeliveryChargeSpecification + The price for the delivery of an offer using a particular delivery method. + + + + + An event involving the delivery of an item. + DeliveryEvent + + + + DeliveryMethod + A delivery method is a standardized procedure for transferring the product or service to the destination of fulfillment chosen by the customer. Delivery methods are characterized by the means of transportation used, and by the organization or group that is the contracting party for the sending organization or person.<br/><br/> + +Commonly used values:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#DeliveryModeDirectDownload</li> +<li>http://purl.org/goodrelations/v1#DeliveryModeFreight</li> +<li>http://purl.org/goodrelations/v1#DeliveryModeMail</li> +<li>http://purl.org/goodrelations/v1#DeliveryModeOwnFleet</li> +<li>http://purl.org/goodrelations/v1#DeliveryModePickUp</li> +<li>http://purl.org/goodrelations/v1#DHL</li> +<li>http://purl.org/goodrelations/v1#FederalExpress</li> +<li>http://purl.org/goodrelations/v1#UPS</li> +</ul> + + + + + + + A DeliveryTimeSettings represents re-usable pieces of shipping information, relating to timing. It is designed for publication on an URL that may be referenced via the <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> property of an <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a>. Several occurrences can be published, distinguished (and identified/referenced) by their different values for <a class="localLink" href="/transitTimeLabel">transitTimeLabel</a>. + DeliveryTimeSettings + + + + + Demand + A demand entity represents the public, not necessarily binding, not necessarily exclusive, announcement by an organization or person to seek a certain type of goods or services. For describing demand using this type, the very same properties used for Offer apply. + + + + + + + Dentist + A dentist. + + + + DepartAction + The act of departing from a place. An agent departs from a fromLocation for a destination, optionally with participants. + + + + + DepartmentStore + + A department store. + + + + + + A type of Bank Account with a main purpose of depositing funds to gain interest or other benefits. + DepositAccount + + + + + A medical laboratory that offers on-site or off-site diagnostic services. + DiagnosticLab + + + + DiagnosticProcedure + A medical procedure intended primarily for diagnostic, as opposed to therapeutic, purposes. + + + + + + + A strategy of regulating the intake of food to achieve or maintain a specific health-related goal. + Diet + + + + A product taken by mouth that contains a dietary ingredient intended to supplement the diet. Dietary ingredients may include vitamins, minerals, herbs or other botanicals, amino acids, and substances such as enzymes, organ tissues, glandulars and metabolites. + + + DietarySupplement + + + + DigitalDocument + + An electronic file or document. + + + + A permission for a particular person or group to access a particular file. + + DigitalDocumentPermission + + + + A type of permission which can be granted for accessing a digital document. + + DigitalDocumentPermissionType + + + + + Enumerates some common technology platforms, for use with properties such as <a class="localLink" href="/actionPlatform">actionPlatform</a>. It is not supposed to be comprehensive - when a suitable code is not enumerated here, textual or URL values can be used instead. These codes are at a fairly high level and do not deal with versioning and other nuance. Additional codes can be suggested <a href="https://github.com/schemaorg/schemaorg/issues/3057">in github</a>. + DigitalPlatformEnumeration + + + + The act of expressing a difference of opinion with the object. An agent disagrees to/about an object (a proposition, topic or theme) with participants. + + DisagreeAction + + + + The act of discovering/finding an object. + + DiscoverAction + + + + A posting to a discussion forum. + + DiscussionForumPosting + + + + DislikeAction + + The act of expressing a negative sentiment about the object. An agent dislikes an object (a proposition, topic or theme) with participants. + + + + + Distance + Properties that take Distances as values are of the form '&lt;Number&gt; &lt;Length unit of measure&gt;'. E.g., '7 ft'. + + + + A distillery. + Distillery + + + + + The act of providing goods, services, or money without compensation, often for philanthropic reasons. + DonateAction + + + + + + A specific dosing schedule for a drug or supplement. + DoseSchedule + + + + + DownloadAction + The act of downloading an object. + + + + DrawAction + The act of producing a visual/graphical representation of an object, typically with a pen/pencil and paper as instruments. + + + + + Drawing + A picture or diagram made with a pencil, pen, or crayon rather than paint. + + + + + + DrinkAction + The act of swallowing liquids. + + + + DriveWheelConfigurationValue + A value indicating which roadwheels will receive torque. + + + + + Drug + + + A chemical or biologic substance, used as a medical therapy, that has a physiological effect on an organism. Here the term drug is used interchangeably with the term medicine although clinical knowledge makes a clear difference between them. + + + + + A class of medical drugs, e.g., statins. Classes can represent general pharmacological class, common mechanisms of action, common physiological effects, etc. + DrugClass + + + + DrugCost + + The cost per unit of a medical drug. Note that this type is not meant to represent the price in an offer of a drug for sale; see the Offer type for that. This type will typically be used to tag wholesale or average retail cost of a drug, or maximum reimbursable cost. Costs of medical drugs vary widely depending on how and where they are paid for, so while this type captures some of the variables, costs should be used with caution by consumers of this schema's markup. + + + + Enumerated categories of medical drug costs. + + DrugCostCategory + + + + + DrugLegalStatus + The legal availability status of a medical drug. + + + + + DrugPregnancyCategory + Categories that represent an assessment of the risk of fetal injury due to a drug or pharmaceutical used as directed by the mother during pregnancy. + + + + Indicates whether this drug is available by prescription or over-the-counter. + DrugPrescriptionStatus + + + + + A specific strength in which a medical drug is available in a specific country. + DrugStrength + + + + + A dry-cleaning business. + DryCleaningOrLaundry + + + + + Duration + Quantity: Duration (use <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>). + + + + + + EUEnergyEfficiencyEnumeration + Enumerates the EU energy efficiency classes A-G as well as A+, A++, and A+++ as defined in EU directive 2017/1369. + + + + EatAction + The act of swallowing solid objects. + + + + + Event type: Education event. + + EducationEvent + + + + + EducationalAudience + An EducationalAudience. + + + + EducationalOccupationalCredential + An educational or occupational credential. A diploma, academic degree, certification, qualification, badge, etc., that may be awarded to a person or other entity that meets the requirements defined by the credentialer. + + + + + A program offered by an institution which determines the learning progress to achieve an outcome, usually a credential like a degree or certificate. This would define a discrete set of opportunities (e.g., job, courses) that together constitute a program with a clear start, end, set of requirements, and transition to a new occupational opportunity (e.g., a job), or sometimes a higher educational opportunity (e.g., an advanced degree). + EducationalOccupationalProgram + + + + + + + An educational organization. + EducationalOrganization + + + + An electrician. + + Electrician + + + + + An electronics store. + ElectronicsStore + + + + An elementary school. + + ElementarySchool + + + + An email message. + EmailMessage + + + + + Embassy + + An embassy. + + + + An emergency service, such as a fire station or ER. + EmergencyService + + + + + A subclass of OrganizationRole used to describe employee relationships. + + EmployeeRole + + + + EmployerAggregateRating + An aggregate rating of an Organization related to its role as an employer. + + + + + An <a class="localLink" href="/EmployerReview">EmployerReview</a> is a review of an <a class="localLink" href="/Organization">Organization</a> regarding its role as an employer, written by a current or former employee of that organization. + + EmployerReview + + + + + EmploymentAgency + An employment agency. + + + + EndorseAction + An agent approves/certifies/likes/supports/sanctions an object. + + + + + An EndorsementRating is a rating that expresses some level of endorsement, for example inclusion in a "critic's pick" blog, a +"Like" or "+1" on a social network. It can be considered the <a class="localLink" href="/result">result</a> of an <a class="localLink" href="/EndorseAction">EndorseAction</a> in which the <a class="localLink" href="/object">object</a> of the action is rated positively by +some <a class="localLink" href="/agent">agent</a>. As is common elsewhere in schema.org, it is sometimes more useful to describe the results of such an action without explicitly describing the <a class="localLink" href="/Action">Action</a>.<br/><br/> + +An <a class="localLink" href="/EndorsementRating">EndorsementRating</a> may be part of a numeric scale or organized system, but this is not required: having an explicit type for indicating a positive, +endorsement rating is particularly useful in the absence of numeric scales as it helps consumers understand that the rating is broadly positive. + EndorsementRating + + + + + + Energy + Properties that take Energy as values are of the form '&lt;Number&gt; &lt;Energy unit of measure&gt;'. + + + + EnergyConsumptionDetails represents information related to the energy efficiency of a product that consumes energy. The information that can be provided is based on international regulations such as for example <a href="https://eur-lex.europa.eu/eli/reg/2017/1369/oj">EU directive 2017/1369</a> for energy labeling and the <a href="https://www.ftc.gov/enforcement/rules/rulemaking-regulatory-reform-proceedings/energy-water-use-labeling-consumer">Energy labeling rule</a> under the Energy Policy and Conservation Act (EPCA) in the US. + EnergyConsumptionDetails + + + + + Enumerates energy efficiency levels (also known as "classes" or "ratings") and certifications that are part of several international energy efficiency standards. + + EnergyEfficiencyEnumeration + + + + EnergyStarEnergyEfficiencyEnumeration + Used to indicate whether a product is EnergyStar certified. + + + + + + EngineSpecification + Information about the engine of the vehicle. A vehicle can have multiple engines represented by multiple engine specification entities. + + + + + A business providing entertainment. + EntertainmentBusiness + + + + + An entry point, within some Web-based protocol. + EntryPoint + + + + + Enumeration + Lists or enumerations—for example, a list of cuisines or music genres, etc. + + + + + A media episode (e.g. TV, radio, video game) which can be part of a series or season. + Episode + + + + An event happening at a certain time and location, such as a concert, lecture, or festival. Ticketing information may be added via the <a class="localLink" href="/offers">offers</a> property. Repeated events may be structured as separate Event objects. + + Event + + + + + An EventAttendanceModeEnumeration value is one of potentially several modes of organising an event, relating to whether it is online or offline. + EventAttendanceModeEnumeration + + + + EventReservation + + A reservation for an event like a concert, sporting event, or lecture.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + + + + + + EventSeries + A series of <a class="localLink" href="/Event">Event</a>s. Included events can relate with the series using the <a class="localLink" href="/superEvent">superEvent</a> property.<br/><br/> + +An EventSeries is a collection of events that share some unifying characteristic. For example, "The Olympic Games" is a series, which +is repeated regularly. The "2012 London Olympics" can be presented both as an <a class="localLink" href="/Event">Event</a> in the series "Olympic Games", and as an +<a class="localLink" href="/EventSeries">EventSeries</a> that included a number of sporting competitions as Events.<br/><br/> + +The nature of the association between the events in an <a class="localLink" href="/EventSeries">EventSeries</a> can vary, but typical examples could +include a thematic event series (e.g. topical meetups or classes), or a series of regular events that share a location, attendee group and/or organizers.<br/><br/> + +EventSeries has been defined as a kind of Event to make it easy for publishers to use it in an Event context without +worrying about which kinds of series are really event-like enough to call an Event. In general an EventSeries +may seem more Event-like when the period of time is compact and when aspects such as location are fixed, but +it may also sometimes prove useful to describe a longer-term series as an Event. + + + + EventStatusType + EventStatusType is an enumeration type whose instances represent several states that an Event may be in. + + + + + EventVenue + An event venue. + + + + + A structured value representing exchange rate. + + ExchangeRateSpecification + + + + ExerciseAction + + The act of participating in exertive activity for the purposes of improving health and fitness. + + + + A gym. + + ExerciseGym + + + + + + ExercisePlan + Fitness-related activity designed for a specific health-related purpose, including defined exercise routines as well as activity prescribed by a clinician. + + + + Event type: Exhibition event, e.g. at a museum, library, archive, tradeshow, ... + + ExhibitionEvent + + + + A <a class="localLink" href="/FAQPage">FAQPage</a> is a <a class="localLink" href="/WebPage">WebPage</a> presenting one or more "<a href="https://en.wikipedia.org/wiki/FAQ">Frequently asked questions</a>" (see also <a class="localLink" href="/QAPage">QAPage</a>). + + FAQPage + + + + FMRadioChannel + + A radio channel that uses FM. + + + + A fast-food restaurant. + + FastFoodRestaurant + + + + Festival + Event type: Festival. + + + + + + The act of capturing sound and moving images on film, video, or digitally. + FilmAction + + + + FinancialIncentive + + Represents financial incentives for goods/services offered by an organization (or individual).<br/><br/> + +Typically contains the <a class="localLink" href="/name">name</a> of the incentive, the <a class="localLink" href="/incentivizedItem">incentivizedItem</a>, the <a class="localLink" href="/incentiveAmount">incentiveAmount</a>, the <a class="localLink" href="/incentiveStatus">incentiveStatus</a>, <a class="localLink" href="/incentiveType">incentiveType</a>, the <a class="localLink" href="/provider">provider</a> of the incentive, and <a class="localLink" href="/eligibleWithSupplier">eligibleWithSupplier</a>.<br/><br/> + +Optionally contains criteria on whether the incentive is limited based on <a class="localLink" href="/purchaseType">purchaseType</a>, <a class="localLink" href="/purchasePriceLimit">purchasePriceLimit</a>, <a class="localLink" href="/incomeLimit">incomeLimit</a>, and the <a class="localLink" href="/qualifiedExpense">qualifiedExpense</a>. + + + + A product provided to consumers and businesses by financial institutions such as banks, insurance companies, brokerage firms, consumer finance companies, and investment companies which comprise the financial services industry. + FinancialProduct + + + + + + FinancialService + Financial services business. + + + + + FindAction + The act of finding an object.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/SearchAction">SearchAction</a>: FindAction is generally lead by a SearchAction, but not necessarily.</li> +</ul> + + + + + FireStation + + + A fire station. With firemen. + + + + Flight + An airline flight. + + + + + FlightReservation + A reservation for air travel.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + + + + + Float + Data type: Floating number. + + + + + + A FloorPlan is an explicit representation of a collection of similar accommodations, allowing the provision of common information (room counts, sizes, layout diagrams) and offers for rental or sale. In typical use, some <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a> has an <a class="localLink" href="/accommodationFloorPlan">accommodationFloorPlan</a> which is a <a class="localLink" href="/FloorPlan">FloorPlan</a>. A FloorPlan is always in the context of a particular place, either a larger <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a> or a single <a class="localLink" href="/Apartment">Apartment</a>. The visual/spatial aspects of a floor plan (i.e. room layout, <a href="https://en.wikipedia.org/wiki/Floor_plan">see wikipedia</a>) can be indicated using <a class="localLink" href="/image">image</a>. + FloorPlan + + + + + A florist. + Florist + + + + FollowAction + + The act of forming a personal connection with someone/something (object) unidirectionally/asymmetrically to get updates polled from.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/BefriendAction">BefriendAction</a>: Unlike BefriendAction, FollowAction implies that the connection is <em>not</em> necessarily reciprocal.</li> +<li><a class="localLink" href="/SubscribeAction">SubscribeAction</a>: Unlike SubscribeAction, FollowAction implies that the follower acts as an active agent constantly/actively polling for updates.</li> +<li><a class="localLink" href="/RegisterAction">RegisterAction</a>: Unlike RegisterAction, FollowAction implies that the agent is interested in continuing receiving updates from the object.</li> +<li><a class="localLink" href="/JoinAction">JoinAction</a>: Unlike JoinAction, FollowAction implies that the agent is interested in getting updates from the object.</li> +<li><a class="localLink" href="/TrackAction">TrackAction</a>: Unlike TrackAction, FollowAction refers to the polling of updates of all aspects of animate objects rather than the location of inanimate objects (e.g. you track a package, but you don't follow it).</li> +</ul> + + + + + + FoodEstablishment + A food-related business. + + + + A reservation to dine at a food-related business.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. + FoodEstablishmentReservation + + + + + FoodEvent + + Event type: Food event. + + + + A food service, like breakfast, lunch, or dinner. + FoodService + + + + + + FulfillmentTypeEnumeration + A type of product fulfillment. + + + + A FundingAgency is an organization that implements one or more <a class="localLink" href="/FundingScheme">FundingScheme</a>s and manages + the granting process (via <a class="localLink" href="/Grant">Grant</a>s, typically <a class="localLink" href="/MonetaryGrant">MonetaryGrant</a>s). + A funding agency is not always required for grant funding, e.g. philanthropic giving, corporate sponsorship etc.<br/><br/> + +Examples of funding agencies include ERC, REA, NIH, Bill and Melinda Gates Foundation, ... + + FundingAgency + + + + FundingScheme + A FundingScheme combines organizational, project and policy aspects of grant-based funding + that sets guidelines, principles and mechanisms to support other kinds of projects and activities. + Funding is typically organized via <a class="localLink" href="/Grant">Grant</a> funding. Examples of funding schemes: Swiss Priority Programmes (SPPs); EU Framework 7 (FP7); Horizon 2020; the NIH-R01 Grant Program; Wellcome institutional strategic support fund. For large scale public sector funding, the management and administration of grant awards is often handled by other, dedicated, organizations - <a class="localLink" href="/FundingAgency">FundingAgency</a>s such as ERC, REA, ... + + + + + A furniture store. + + FurnitureStore + + + + + The Game type represents things which are games. These are typically rule-governed recreational activities, e.g. role-playing games in which players assume the role of characters in a fictional setting. + Game + + + + GameAvailabilityEnumeration + + For a <a class="localLink" href="/VideoGame">VideoGame</a>, such as used with a <a class="localLink" href="/PlayGameAction">PlayGameAction</a>, an enumeration of the kind of game availability offered. + + + + GamePlayMode + Indicates whether this game is multi-player, co-op or single-player. + + + + + + Server that provides game interaction in a multiplayer game. + GameServer + + + + Status of a game server. + GameServerStatus + + + + + GardenStore + + A garden store. + + + + + A gas station. + GasStation + + + + + GatedResidenceCommunity + Residence type: Gated community. + + + + + GenderType + An enumeration of genders. + + + + + A discrete unit of inheritance which affects one or more biological traits (Source: <a href="https://en.wikipedia.org/wiki/Gene">https://en.wikipedia.org/wiki/Gene</a>). Examples include FOXP2 (Forkhead box protein P2), SCARNA21 (small Cajal body-specific RNA 21), A- (agouti genotype). + Gene + + + + GeneralContractor + + A general contractor. + + + + A GeoCircle is a GeoShape representing a circular geographic area. As it is a GeoShape + it provides the simple textual property 'circle', but also allows the combination of postalCode alongside geoRadius. + The center of the circle can be indicated via the 'geoMidpoint' property, or more approximately using 'address', 'postalCode'. + + GeoCircle + + + + The geographic coordinates of a place or event. + + GeoCoordinates + + + + The geographic shape of a place. A GeoShape can be described using several properties whose values are based on latitude/longitude pairs. Either whitespace or commas can be used to separate latitude and longitude; whitespace should be used when writing a list of several such points. + GeoShape + + + + + + GeospatialGeometry + (Eventually to be defined as) a supertype of GeoShape designed to accommodate definitions from Geo-Spatial best practices. + + + + + GiveAction + The act of transferring ownership of an object to a destination. Reciprocal of TakeAction.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/TakeAction">TakeAction</a>: Reciprocal of GiveAction.</li> +<li><a class="localLink" href="/SendAction">SendAction</a>: Unlike SendAction, GiveAction implies that ownership is being transferred (e.g. I may send my laptop to you, but that doesn't mean I'm giving it to you).</li> +</ul> + + + + + GolfCourse + + A golf course. + + + + + GovernmentBenefitsType + GovernmentBenefitsType enumerates several kinds of government benefits to support the COVID-19 situation. Note that this structure may not capture all benefits offered. + + + + + GovernmentBuilding + A government building. + + + + A government office&#x2014;for example, an IRS or DMV office. + GovernmentOffice + + + + + + GovernmentOrganization + A governmental organization or agency. + + + + A permit issued by a government agency. + + GovernmentPermit + + + + A service provided by a government organization, e.g. food stamps, veterans benefits, etc. + + GovernmentService + + + + A grant, typically financial or otherwise quantifiable, of resources. Typically a <a class="localLink" href="/funder">funder</a> sponsors some <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a> to an <a class="localLink" href="/Organization">Organization</a> or <a class="localLink" href="/Person">Person</a>, + sometimes not necessarily via a dedicated or long-lived <a class="localLink" href="/Project">Project</a>, resulting in one or more outputs, or <a class="localLink" href="/fundedItem">fundedItem</a>s. For financial sponsorship, indicate the <a class="localLink" href="/funder">funder</a> of a <a class="localLink" href="/MonetaryGrant">MonetaryGrant</a>. For non-financial support, indicate <a class="localLink" href="/sponsor">sponsor</a> of <a class="localLink" href="/Grant">Grant</a>s of resources (e.g. office space).<br/><br/> + +Grants support activities directed towards some agreed collective goals, often but not always organized as <a class="localLink" href="/Project">Project</a>s. Long-lived projects are sometimes sponsored by a variety of grants over time, but it is also common for a project to be associated with a single grant.<br/><br/> + +The amount of a <a class="localLink" href="/Grant">Grant</a> is represented using <a class="localLink" href="/amount">amount</a> as a <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a>. + Grant + + + + + + A grocery store. + GroceryStore + + + + <a class="localLink" href="/Guide">Guide</a> is a page or article that recommends specific products or services, or aspects of a thing for a user to consider. A <a class="localLink" href="/Guide">Guide</a> may represent a Buying Guide and detail aspects of products or services for a user to consider. A <a class="localLink" href="/Guide">Guide</a> may represent a Product Guide and recommend specific products or services. A <a class="localLink" href="/Guide">Guide</a> may represent a Ranked List and recommend specific products or services with ranking. + Guide + + + + + HVACBusiness + + A business that provides Heating, Ventilation and Air Conditioning services. + + + + + Hackathon + A <a href="https://en.wikipedia.org/wiki/Hackathon">hackathon</a> event. + + + + HairSalon + A hair salon. + + + + + A hardware store. + HardwareStore + + + + + Health and beauty. + HealthAndBeautyBusiness + + + + + HealthAspectEnumeration + HealthAspectEnumeration enumerates several aspects of health content online, each of which might be described using <a class="localLink" href="/hasHealthAspect">hasHealthAspect</a> and <a class="localLink" href="/HealthTopicContent">HealthTopicContent</a>. + + + + + A health club. + + + HealthClub + + + + HealthInsurancePlan + A US-style health insurance plan, including PPOs, EPOs, and HMOs. + + + + + A description of costs to the patient under a given network or formulary. + HealthPlanCostSharingSpecification + + + + + For a given health insurance plan, the specification for costs and coverage of prescription drugs. + + HealthPlanFormulary + + + + HealthPlanNetwork + A US-style health insurance plan network. + + + + + <a class="localLink" href="/HealthTopicContent">HealthTopicContent</a> is <a class="localLink" href="/WebContent">WebContent</a> that is about some aspect of a health topic, e.g. a condition, its symptoms or treatments. Such content may be comprised of several parts or sections and use different types of media. Multiple instances of <a class="localLink" href="/WebContent">WebContent</a> (and hence <a class="localLink" href="/HealthTopicContent">HealthTopicContent</a>) can be related using <a class="localLink" href="/hasPart">hasPart</a> / <a class="localLink" href="/isPartOf">isPartOf</a> where there is some kind of content hierarchy, and their content described with <a class="localLink" href="/about">about</a> and <a class="localLink" href="/mentions">mentions</a> e.g. building upon the existing <a class="localLink" href="/MedicalCondition">MedicalCondition</a> vocabulary. + HealthTopicContent + + + + + A high school. + HighSchool + + + + + HinduTemple + + A Hindu temple. + + + + HobbyShop + + A store that sells materials useful or necessary for various hobbies. + + + + + A construction business.<br/><br/> + +A HomeAndConstructionBusiness is a <a class="localLink" href="/LocalBusiness">LocalBusiness</a> that provides services around homes and buildings.<br/><br/> + +As a <a class="localLink" href="/LocalBusiness">LocalBusiness</a> it can be described as a <a class="localLink" href="/provider">provider</a> of one or more <a class="localLink" href="/Service">Service</a>(s). + HomeAndConstructionBusiness + + + + HomeGoodsStore + A home goods store. + + + + + + + + A hospital. + Hospital + + + + Hostel + A hostel - cheap accommodation, often in shared dormitories. +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + + Hotel + A hotel is an establishment that provides lodging paid on a short-term basis (source: Wikipedia, the free encyclopedia, see http://en.wikipedia.org/wiki/Hotel). +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + A hotel room is a single room in a hotel. +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + HotelRoom + + + + House + + A house is a building or structure that has the ability to be occupied for habitation by humans or other creatures (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/House">http://en.wikipedia.org/wiki/House</a>). + + + + + A house painting service. + HousePainter + + + + Instructions that explain how to achieve a result by performing a sequence of steps. + HowTo + + + + + + + A direction indicating a single action to do in the instructions for how to achieve a result. + HowToDirection + + + + HowToItem + + An item used as either a tool or supply when performing the instructions for how to achieve a result. + + + + A sub-grouping of steps in the instructions for how to achieve a result (e.g. steps for making a pie crust within a pie recipe). + HowToSection + + + + + + + + + + HowToStep + A step in the instructions for how to achieve a result. It is an ordered list with HowToDirection and/or HowToTip items. + + + + A supply consumed when performing the instructions for how to achieve a result. + HowToSupply + + + + + + + An explanation in the instructions for how to achieve a result. It provides supplementary information about a technique, supply, author's preference, etc. It can explain what could be done, or what should not be done, but doesn't specify what should be done (see HowToDirection). + HowToTip + + + + A tool used (but not consumed) when performing instructions for how to achieve a result. + + HowToTool + + + + A HyperToc represents a hypertext table of contents for complex media objects, such as <a class="localLink" href="/VideoObject">VideoObject</a>, <a class="localLink" href="/AudioObject">AudioObject</a>. Items in the table of contents are indicated using the <a class="localLink" href="/tocEntry">tocEntry</a> property, and typed <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a>. For cases where the same larger work is split into multiple files, <a class="localLink" href="/associatedMedia">associatedMedia</a> can be used on individual <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a> items. + HyperToc + + + + + A HyperToEntry is an item within a <a class="localLink" href="/HyperToc">HyperToc</a>, which represents a hypertext table of contents for complex media objects, such as <a class="localLink" href="/VideoObject">VideoObject</a>, <a class="localLink" href="/AudioObject">AudioObject</a>. The media object itself is indicated using <a class="localLink" href="/associatedMedia">associatedMedia</a>. Each section of interest within that content can be described with a <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a>, with associated <a class="localLink" href="/startOffset">startOffset</a> and <a class="localLink" href="/endOffset">endOffset</a>. When several entries are all from the same file, <a class="localLink" href="/associatedMedia">associatedMedia</a> is used on the overarching <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a>; if the content has been split into multiple files, they can be referenced using <a class="localLink" href="/associatedMedia">associatedMedia</a> on each <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a>. + HyperTocEntry + + + + + <a href="https://www.iptc.org/">IPTC</a> "Digital Source" codes for use with the <a class="localLink" href="/digitalSourceType">digitalSourceType</a> property, providing information about the source for a digital media object. +In general these codes are not declared here to be mutually exclusive, although some combinations would be contradictory if applied simultaneously, or might be considered mutually incompatible by upstream maintainers of the definitions. See the IPTC <a href="https://www.iptc.org/std/photometadata/documentation/userguide/">documentation</a> + for <a href="https://cv.iptc.org/newscodes/digitalsourcetype/">detailed definitions</a> of all terms. + + IPTCDigitalSourceEnumeration + + + + An ice cream shop. + IceCreamShop + + + + + The act of intentionally disregarding the object. An agent ignores an object. + IgnoreAction + + + + + + ImageGallery + Web page type: Image gallery page. + + + + + An image file. + ImageObject + + + + ImageObjectSnapshot + A specific and exact (byte-for-byte) version of an <a class="localLink" href="/ImageObject">ImageObject</a>. Two byte-for-byte identical files, for the purposes of this type, considered identical. If they have different embedded metadata (e.g. XMP, EXIF) the files will differ. Different external facts about the files, e.g. creator or dateCreated that aren't represented in their actual content, do not affect this notion of identity. + + + + + ImagingTest + + Any medical imaging modality typically used for diagnostic purposes. + + + + The types of expenses that are covered by the incentive. For example some incentives are only for the goods (tangible items) but the services (labor) are excluded. + + IncentiveQualifiedExpenseType + + + + + Enumerates a status for an incentive, such as whether it is active. + IncentiveStatus + + + + Enumerates common financial incentives for products, including tax credits, tax deductions, rebates and subsidies, etc. + IncentiveType + + + + + An individual medical practitioner. For their official address use <a class="localLink" href="/address">address</a>, for affiliations to hospitals use <a class="localLink" href="/hospitalAffiliation">hospitalAffiliation</a>. +The <a class="localLink" href="/practicesAt">practicesAt</a> property can be used to indicate <a class="localLink" href="/MedicalOrganization">MedicalOrganization</a> hospitals, clinics, pharmacies etc. where this physician practices. + IndividualPhysician + + + + + A single, identifiable product instance (e.g. a laptop with a particular serial number). + + IndividualProduct + + + + InfectiousAgentClass + Classes of agents or pathogens that transmit infectious diseases. Enumerated type. + + + + + + InfectiousDisease + An infectious disease is a clinically evident human disease resulting from the presence of pathogenic microbial agents, like pathogenic viruses, pathogenic bacteria, fungi, protozoa, multicellular parasites, and prions. To be considered an infectious disease, such pathogens are known to be able to cause this disease. + + + + The act of notifying someone of information pertinent to them, with no expectation of a response. + + InformAction + + + + The act of adding at a specific location in an ordered collection. + + InsertAction + + + + The act of installing an application. + + InstallAction + + + + An Insurance agency. + + InsuranceAgency + + + + Intangible + A utility class that serves as the umbrella for a number of 'intangible' things such as quantities, structured values, etc. + + + + + Integer + + Data type: Integer. + + + + InteractAction + The act of interacting with another person or organization. + + + + + InteractionCounter + A summary of how users have interacted with this CreativeWork. In most cases, authors will use a subtype to specify the specific type of interaction. + + + + + + InternetCafe + An internet cafe. + + + + InvestmentFund + A company or fund that gathers capital from a number of investors to create a pool of money that is then re-invested into stocks, bonds and other assets. + + + + + InvestmentOrDeposit + + A type of financial product that typically requires the client to transfer funds to a financial service in return for potential beneficial financial return. + + + + The act of asking someone to attend an event. Reciprocal of RsvpAction. + InviteAction + + + + + + A statement of the money due for goods or services; a bill. + Invoice + + + + ItemAvailability + + A list of possible product availability options. + + + + ItemList + A list of items of any sort&#x2014;for example, Top 10 Movies About Weathermen, or Top 100 Party Songs. Not to be confused with HTML lists, which are often used only for formatting. + + + + + Enumerated for values for itemListOrder for indicating how an ordered ItemList is organized. + ItemListOrderType + + + + + A page devoted to a single item, such as a particular product or hotel. + + ItemPage + + + + A jewelry store. + + JewelryStore + + + + + JobPosting + A listing that describes a job opening in a certain organization. + + + + + JoinAction + An agent joins an event/group with participants/friends at a location.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/RegisterAction">RegisterAction</a>: Unlike RegisterAction, JoinAction refers to joining a group/team of people.</li> +<li><a class="localLink" href="/SubscribeAction">SubscribeAction</a>: Unlike SubscribeAction, JoinAction does not imply that you'll be receiving updates.</li> +<li><a class="localLink" href="/FollowAction">FollowAction</a>: Unlike FollowAction, JoinAction does not imply that you'll be polling for updates.</li> +</ul> + + + + + Joint + The anatomical location at which two or more bones make contact. + + + + + A lake (for example, Lake Pontrachain). + LakeBodyOfWater + + + + + A landform or physical feature. Landform elements include mountains, plains, lakes, rivers, seascape and oceanic waterbody interface features such as bays, peninsulas, seas and so forth, including sub-aqueous terrain features such as submersed mountain ranges, volcanoes, and the great ocean basins. + Landform + + + + + An historical landmark or building. + LandmarksOrHistoricalBuildings + + + + + Language + Natural languages such as Spanish, Tamil, Hindi, English, etc. Formal language code tags expressed in <a href="https://en.wikipedia.org/wiki/IETF_language_tag">BCP 47</a> can be used via the <a class="localLink" href="/alternateName">alternateName</a> property. The Language type previously also covered programming languages such as Scheme and Lisp, which are now best represented using <a class="localLink" href="/ComputerLanguage">ComputerLanguage</a>. + + + + + + The LearningResource type can be used to indicate <a class="localLink" href="/CreativeWork">CreativeWork</a>s (whether physical or digital) that have a particular and explicit orientation towards learning, education, skill acquisition, and other educational purposes.<br/><br/> + +<a class="localLink" href="/LearningResource">LearningResource</a> is expected to be used as an addition to a primary type such as <a class="localLink" href="/Book">Book</a>, <a class="localLink" href="/VideoObject">VideoObject</a>, <a class="localLink" href="/Product">Product</a> etc.<br/><br/> + +<a class="localLink" href="/EducationEvent">EducationEvent</a> serves a similar purpose for event-like things (e.g. a <a class="localLink" href="/Trip">Trip</a>). A <a class="localLink" href="/LearningResource">LearningResource</a> may be created as a result of an <a class="localLink" href="/EducationEvent">EducationEvent</a>, for example by recording one. + LearningResource + + + + + An agent leaves an event / group with participants/friends at a location.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/JoinAction">JoinAction</a>: The antonym of LeaveAction.</li> +<li><a class="localLink" href="/UnRegisterAction">UnRegisterAction</a>: Unlike UnRegisterAction, LeaveAction implies leaving a group/team of people rather than a service.</li> +</ul> + + LeaveAction + + + + LegalForceStatus + + A list of possible statuses for the legal force of a legislation. + + + + A LegalService is a business that provides legally-oriented services, advice and representation, e.g. law firms.<br/><br/> + +As a <a class="localLink" href="/LocalBusiness">LocalBusiness</a> it can be described as a <a class="localLink" href="/provider">provider</a> of one or more <a class="localLink" href="/Service">Service</a>(s). + + LegalService + + + + LegalValueLevel + + A list of possible levels for the legal validity of a legislation. + + + + A legal document such as an act, decree, bill, etc. (enforceable or not) or a component of a legal act (like an article). + + Legislation + + + + LegislationObject + A specific object or file containing a Legislation. Note that the same Legislation can be published in multiple files. For example, a digitally signed PDF, a plain PDF and an HTML version. + + + + + + + LegislativeBuilding + A legislative building&#x2014;for example, the state capitol. + + + + LendAction + + The act of providing an object under an agreement that it will be returned at a later date. Reciprocal of BorrowAction.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/BorrowAction">BorrowAction</a>: Reciprocal of LendAction.</li> +</ul> + + + + + A library. + Library + + + + + LibrarySystem + A <a class="localLink" href="/LibrarySystem">LibrarySystem</a> is a collaborative system amongst several libraries. + + + + + A process of care involving exercise, changes to diet, fitness routines, and other lifestyle changes aimed at improving a health condition. + LifestyleModification + + + + + + Ligament + A short band of tough, flexible, fibrous connective tissue that functions to connect multiple bones, cartilages, and structurally support joints. + + + + + LikeAction + The act of expressing a positive sentiment about the object. An agent likes an object (a proposition, topic or theme) with participants. + + + + A Role that represents a Web link, e.g. as expressed via the 'url' property. Its linkRelationship property can indicate URL-based and plain textual link types, e.g. those in IANA link registry or others such as 'amphtml'. This structure provides a placeholder where details from HTML's link element can be represented outside of HTML, e.g. in JSON-LD feeds. + + LinkRole + + + + A shop that sells alcoholic drinks such as wine, beer, whisky and other spirits. + LiquorStore + + + + + An list item, e.g. a step in a checklist or how-to description. + ListItem + + + + + + ListenAction + The act of consuming audio content. + + + + LiteraryEvent + Event type: Literary event. + + + + + LiveBlogPosting + A <a class="localLink" href="/LiveBlogPosting">LiveBlogPosting</a> is a <a class="localLink" href="/BlogPosting">BlogPosting</a> intended to provide a rolling textual coverage of an ongoing event through continuous updates. + + + + + A financial product for the loaning of an amount of money, or line of credit, under agreed terms and charges. + LoanOrCredit + + + + + A particular physical business or branch of an organization. Examples of LocalBusiness include a restaurant, a particular branch of a restaurant chain, a branch of a bank, a medical practice, a club, a bowling alley, etc. + + + LocalBusiness + + + + Specifies a location feature by providing a structured value representing a feature of an accommodation as a property-value pair of varying degrees of formality. + + LocationFeatureSpecification + + + + Locksmith + A locksmith. + + + + + A lodging business, such as a motel, hotel, or inn. + LodgingBusiness + + + + + + LodgingReservation + A reservation for lodging at a hotel, motel, inn, etc.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. + + + + LoseAction + The act of being defeated in a competitive activity. + + + + + + A type of blood vessel that specifically carries lymph fluid unidirectionally toward the heart. + LymphaticVessel + + + + Manuscript + + A book, document, or piece of music written by hand rather than typed or printed. + + + + Map + + A map. + + + + + MapCategoryType + An enumeration of several kinds of Map. + + + + MarryAction + The act of marrying a person. + + + + + Properties that take Mass as values are of the form '&lt;Number&gt; &lt;Mass unit of measure&gt;'. E.g., '7 kg'. + Mass + + + + + + A math solver which is capable of solving a subset of mathematical problems. + MathSolver + + + + MaximumDoseSchedule + The maximum dosing schedule considered safe for a drug or supplement as recommended by an authority or by the drug/supplement's manufacturer. Capture the recommending authority in the recognizingAuthority property of MedicalEntity. + + + + + MeasurementMethodEnum + + Enumeration(s) for use with <a class="localLink" href="/measurementMethod">measurementMethod</a>. + + + + Enumeration of common measurement types (or dimensions), for example "chest" for a person, "inseam" for pants, "gauge" for screws, or "wheel" for bicycles. + + MeasurementTypeEnumeration + + + + + MediaEnumeration enumerations are lists of codes, labels etc. useful for describing media objects. They may be reflections of externally developed lists, or created at schema.org, or a combination. + MediaEnumeration + + + + Web page type: Media gallery page. A mixed-media page that can contain media such as images, videos, and other multimedia. + + MediaGallery + + + + Codes for use with the <a class="localLink" href="/mediaAuthenticityCategory">mediaAuthenticityCategory</a> property, indicating the authenticity of a media object (in the context of how it was published or shared). In general these codes are not mutually exclusive, although some combinations (such as 'original' versus 'transformed', 'edited' and 'staged') would be contradictory if applied in the same <a class="localLink" href="/MediaReview">MediaReview</a>. Note that the application of these codes is with regard to a piece of media shared or published in a particular context. + MediaManipulationRatingEnumeration + + + + + + MediaObject + A media object, such as an image, video, audio, or text object embedded in a web page or a downloadable dataset i.e. DataDownload. Note that a creative work may have many media objects associated with it on the same web page. For example, a page about a single song (MusicRecording) may have a music video (VideoObject), and a high and low bandwidth audio stream (2 AudioObject's). + + + + MediaReview + + A <a class="localLink" href="/MediaReview">MediaReview</a> is a more specialized form of Review dedicated to the evaluation of media content online, typically in the context of fact-checking and misinformation. + For more general reviews of media in the broader sense, use <a class="localLink" href="/UserReview">UserReview</a>, <a class="localLink" href="/CriticReview">CriticReview</a> or other <a class="localLink" href="/Review">Review</a> types. This definition is + a work in progress. While the <a class="localLink" href="/MediaManipulationRatingEnumeration">MediaManipulationRatingEnumeration</a> list reflects significant community review amongst fact-checkers and others working + to combat misinformation, the specific structures for representing media objects, their versions and publication context, are still evolving. Similarly, best practices for the relationship between <a class="localLink" href="/MediaReview">MediaReview</a> and <a class="localLink" href="/ClaimReview">ClaimReview</a> markup have not yet been finalized. + + + + Represents an item or group of closely related items treated as a unit for the sake of evaluation in a <a class="localLink" href="/MediaReview">MediaReview</a>. Authorship etc. apply to the items rather than to the curation/grouping or reviewing party. + + MediaReviewItem + + + + + MediaSubscription + A subscription which allows a user to access media including audio, video, books, etc. + + + + + + MedicalAudience + Target audiences for medical web pages. + + + + MedicalAudienceType + Target audiences types for medical web pages. Enumerated type. + + + + + A particular physical or virtual business of an organization for medical purposes. Examples of MedicalBusiness include different businesses run by health professionals. + MedicalBusiness + + + + + MedicalCause + + The causative agent(s) that are responsible for the pathophysiologic process that eventually results in a medical condition, symptom or sign. In this schema, unless otherwise specified this is meant to be the proximate cause of the medical condition, symptom or sign. The proximate cause is defined as the causative agent that most directly results in the medical condition, symptom or sign. For example, the HIV virus could be considered a cause of AIDS. Or in a diagnostic context, if a patient fell and sustained a hip fracture and two days later sustained a pulmonary embolism which eventuated in a cardiac arrest, the cause of the cardiac arrest (the proximate cause) would be the pulmonary embolism and not the fall. Medical causes can include cardiovascular, chemical, dermatologic, endocrine, environmental, gastroenterologic, genetic, hematologic, gynecologic, iatrogenic, infectious, musculoskeletal, neurologic, nutritional, obstetric, oncologic, otolaryngologic, pharmacologic, psychiatric, pulmonary, renal, rheumatologic, toxic, traumatic, or urologic causes; medical conditions can be causes as well. + + + + A facility, often associated with a hospital or medical school, that is devoted to the specific diagnosis and/or healthcare. Previously limited to outpatients but with evolution it may be open to inpatients as well. + + + MedicalClinic + + + + + + MedicalCode + A code for a medical entity. + + + + Any condition of the human body that affects the normal functioning of a person, whether physically or mentally. Includes diseases, injuries, disabilities, disorders, syndromes, etc. + + MedicalCondition + + + + A stage of a medical condition, such as 'Stage IIIa'. + + MedicalConditionStage + + + + + MedicalContraindication + A condition or factor that serves as a reason to withhold a certain medical therapy. Contraindications can be absolute (there are no reasonable circumstances for undertaking a course of action) or relative (the patient is at higher risk of complications, but these risks may be outweighed by other considerations or mitigated by other measures). + + + + + Any object used in a medical capacity, such as to diagnose or treat a patient. + MedicalDevice + + + + + MedicalDevicePurpose + Categories of medical devices, organized by the purpose or intended use of the device. + + + + The most generic type of entity related to health and the practice of medicine. + + MedicalEntity + + + + MedicalEnumeration + + Enumerations related to health and the practice of medicine: A concept that is used to attribute a quality to another concept, as a qualifier, a collection of items or a listing of all of the elements of a set in medicine practice. + + + + MedicalEvidenceLevel + Level of evidence for a medical guideline. Enumerated type. + + + + + + Any recommendation made by a standard society (e.g. ACC/AHA) or consensus statement that denotes how to diagnose and treat a particular condition. Note: this type should be used to tag the actual guideline recommendation; if the guideline recommendation occurs in a larger scholarly article, use MedicalScholarlyArticle to tag the overall article, not this type. Note also: the organization making the recommendation should be captured in the recognizingAuthority base property of MedicalEntity. + MedicalGuideline + + + + + A guideline contraindication that designates a process as harmful and where quality of the data supporting the contraindication is sound. + MedicalGuidelineContraindication + + + + + MedicalGuidelineRecommendation + A guideline recommendation that is regarded as efficacious and where quality of the data supporting the recommendation is sound. + + + + MedicalImagingTechnique + + Any medical imaging modality typically used for diagnostic purposes. Enumerated type. + + + + MedicalIndication + + A condition or factor that indicates use of a medical therapy, including signs, symptoms, risk factors, anatomical states, etc. + + + + A utility class that serves as the umbrella for a number of 'intangible' things in the medical space. + MedicalIntangible + + + + + + MedicalObservationalStudy + An observational study is a type of medical study that attempts to infer the possible effect of a treatment through observation of a cohort of subjects over a period of time. In an observational study, the assignment of subjects into treatment groups versus control groups is outside the control of the investigator. This is in contrast with controlled studies, such as the randomized controlled trials represented by MedicalTrial, where each subject is randomly assigned to a treatment group or a control group before the start of the treatment. + + + + Design models for observational medical studies. Enumerated type. + MedicalObservationalStudyDesign + + + + + MedicalOrganization + + A medical organization (physical or not), such as hospital, institution or clinic. + + + + MedicalProcedure + + A process of care used in either a diagnostic, therapeutic, preventive or palliative capacity that relies on invasive (surgical), non-invasive, or other techniques. + + + + An enumeration that describes different types of medical procedures. + + MedicalProcedureType + + + + A complex mathematical calculation requiring an online calculator, used to assess prognosis. Note: use the url property of Thing to record any URLs for online calculators. + + MedicalRiskCalculator + + + + MedicalRiskEstimator + Any rule set or interactive tool for estimating the risk of developing a complication or condition. + + + + + MedicalRiskFactor + + A risk factor is anything that increases a person's likelihood of developing or contracting a disease, medical condition, or complication. + + + + + MedicalRiskScore + A simple system that adds up the number of risk factors to yield a score that is associated with prognosis, e.g. CHAD score, TIMI risk score. + + + + MedicalScholarlyArticle + A scholarly article in the medical domain. + + + + + + Any physical manifestation of a person's medical condition discoverable by objective diagnostic tests or physical examination. + MedicalSign + + + + + Any feature associated or not with a medical condition. In medicine a symptom is generally subjective while a sign is objective. + MedicalSignOrSymptom + + + + + + Any specific branch of medical science or practice. Medical specialities include clinical specialties that pertain to particular organ systems and their respective disease states, as well as allied health specialties. Enumerated type. + MedicalSpecialty + + + + + MedicalStudy + A medical study is an umbrella type covering all kinds of research studies relating to human medicine or health, including observational studies and interventional trials and registries, randomized, controlled or not. When the specific type of study is known, use one of the extensions of this type, such as MedicalTrial or MedicalObservationalStudy. Also, note that this type should be used to mark up data that describes the study itself; to tag an article that publishes the results of a study, use MedicalScholarlyArticle. Note: use the code property of MedicalEntity to store study IDs, e.g. clinicaltrials.gov ID. + + + + MedicalStudyStatus + + The status of a medical study. Enumerated type. + + + + + MedicalSymptom + Any complaint sensed and expressed by the patient (therefore defined as subjective) like stomachache, lower-back pain, or fatigue. + + + + Any medical test, typically performed for diagnostic purposes. + MedicalTest + + + + + MedicalTestPanel + + Any collection of tests commonly ordered together. + + + + + Any medical intervention designed to prevent, treat, and cure human diseases and medical conditions, including both curative and palliative therapies. Medical therapies are typically processes of care relying upon pharmacotherapy, behavioral therapy, supportive therapy (with fluid or nutrition for example), or detoxification (e.g. hemodialysis) aimed at improving or preventing a health condition. + MedicalTherapy + + + + + MedicalTrial + A medical trial is a type of medical study that uses a scientific process to compare the safety and efficacy of medical therapies or medical procedures. In general, medical trials are controlled and subjects are allocated at random to the different treatment and/or control groups. + + + + MedicalTrialDesign + Design models for medical trials. Enumerated type. + + + + + MedicalWebPage + A web page that provides medical information. + + + + + Systems of medical practice. + + MedicineSystem + + + + MeetingRoom + A meeting room, conference room, or conference hall is a room provided for singular events such as business conferences and meetings (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/Conference_hall">http://en.wikipedia.org/wiki/Conference_hall</a>). +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + + MemberProgram + A MemberProgram defines a loyalty (or membership) program that provides its members with certain benefits, for example better pricing, free shipping or returns, or the ability to earn loyalty points. Member programs may have multiple tiers, for example silver and gold members, each with different benefits. + + + + MemberProgramTier + A MemberProgramTier specifies a tier under a loyalty (member) program, for example "gold". + + + + + A men's clothing store. + MensClothingStore + + + + + + Menu + A structured representation of food or drink items available from a FoodEstablishment. + + + + MenuItem + + A food or drink item listed in a menu or menu section. + + + + MenuSection + + A sub-grouping of food or drink items in a menu. E.g. courses (such as 'Dinner', 'Breakfast', etc.), specific type of dishes (such as 'Meat', 'Vegan', 'Drinks', etc.), or some other classification made by the menu provider. + + + + + MerchantReturnEnumeration + Enumerates several kinds of product return policies. + + + + + MerchantReturnPolicy + A MerchantReturnPolicy provides information about product return policies associated with an <a class="localLink" href="/Organization">Organization</a>, <a class="localLink" href="/Product">Product</a>, or <a class="localLink" href="/Offer">Offer</a>. + + + + + MerchantReturnPolicySeasonalOverride + A seasonal override of a return policy, for example used for holidays. + + + + Message + A single message from a sender to one or more organizations or people. + + + + + + MiddleSchool + A middle school (typically for children aged around 11-14, although this varies somewhat). + + + + + A software application designed specifically to work well on a mobile device such as a telephone. + MobileApplication + + + + + MobilePhoneStore + A store that sells mobile phones and related accessories. + + + + + MolecularEntity + Any constitutionally or isotopically distinct atom, molecule, ion, ion pair, radical, radical ion, complex, conformer etc., identifiable as a separately distinguishable entity. + + + + MonetaryAmount + + A monetary value or range. This type can be used to describe an amount of money such as $50 USD, or a range as in describing a bank account being suitable for a balance between £1,000 and £1,000,000 GBP, or the value of a salary, etc. It is recommended to use <a class="localLink" href="/PriceSpecification">PriceSpecification</a> Types to describe the price of an Offer, Invoice, etc. + + + + MonetaryAmountDistribution + A statistical distribution of monetary amounts. + + + + + MonetaryGrant + A monetary grant. + + + + + The act of transferring money from one place to another place. This may occur electronically or physically. + MoneyTransfer + + + + + A loan in which property or real estate is used as collateral. (A loan securitized against some real estate.) + + MortgageLoan + + + + + Mosque + A mosque. + + + + Motel + A motel. +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + + + + + Motorcycle + A motorcycle or motorbike is a single-track, two-wheeled motor vehicle. + + + + + A motorcycle dealer. + MotorcycleDealer + + + + A motorcycle repair shop. + + MotorcycleRepair + + + + + MotorizedBicycle + A motorized bicycle is a bicycle with an attached motor used to power the vehicle, or to assist with pedaling. + + + + A mountain, like Mount Whitney or Mount Everest. + + Mountain + + + + The act of an agent relocating to a place.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/TransferAction">TransferAction</a>: Unlike TransferAction, the subject of the move is a living Person or Organization rather than an inanimate object.</li> +</ul> + + MoveAction + + + + + Movie + A movie. + + + + + MovieClip + + A short segment/part of a movie. + + + + + A movie rental store. + MovieRentalStore + + + + A series of movies. Included movies can be indicated with the hasPart property. + MovieSeries + + + + + + + A movie theater. + MovieTheater + + + + MovingCompany + + A moving company. + + + + Muscle + A muscle is an anatomical structure consisting of a contractile form of tissue that animals use to effect movement. + + + + + Museum + A museum. + + + + + A collection of music tracks. + + MusicAlbum + + + + MusicAlbumProductionType + + Classification of the album by its type of content: soundtrack, live album, studio album, etc. + + + + + MusicAlbumReleaseType + The kind of release which this album is: single, EP or album. + + + + A musical composition. + + MusicComposition + + + + Event type: Music event. + + MusicEvent + + + + + A musical group, such as a band, an orchestra, or a choir. Can also be a solo musician. + MusicGroup + + + + MusicPlaylist + + A collection of music tracks in playlist form. + + + + A music recording (track), usually a single song. + + MusicRecording + + + + + MusicRelease + A MusicRelease is a specific release of a music album. + + + + Format of this release (the type of recording media used, i.e. compact disc, digital media, LP, etc.). + + MusicReleaseFormatType + + + + A music store. + + MusicStore + + + + A music venue. + + MusicVenue + + + + A music video file. + MusicVideoObject + + + + + Organization: Non-governmental Organization. + + NGO + + + + NLNonprofitType: Non-profit organization type originating from the Netherlands. + + NLNonprofitType + + + + + A nail salon. + NailSalon + + + + + A common pathway for the electrochemical nerve impulses that are transmitted along each of the axons. + Nerve + + + + A NewsArticle is an article whose content reports news, or provides background context and supporting materials for understanding the news.<br/><br/> + +A more detailed overview of <a href="/docs/news.html">schema.org News markup</a> is also available. + + NewsArticle + + + + NewsMediaOrganization + A News/Media organization such as a newspaper or TV station. + + + + + A publication containing information about varied topics that are pertinent to general information, a geographic area, or a specific subject matter (i.e. business, culture, education). Often published daily. + + Newspaper + + + + NightClub + + A nightclub or discotheque. + + + + NonprofitType enumerates several kinds of official non-profit types of which a non-profit organization can be. + + NonprofitType + + + + A notary. + + Notary + + + + A file containing a note, primarily for the author. + NoteDigitalDocument + + + + + + Number + Data type: Number.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + + + + Nutritional information about the recipe. + + NutritionInformation + + + + Instances of the class <a class="localLink" href="/Observation">Observation</a> are used to specify observations about an entity at a particular time. The principal properties of an <a class="localLink" href="/Observation">Observation</a> are <a class="localLink" href="/observationAbout">observationAbout</a>, <a class="localLink" href="/measuredProperty">measuredProperty</a>, <a class="localLink" href="/statType">statType</a>, [[value] and <a class="localLink" href="/observationDate">observationDate</a> and <a class="localLink" href="/measuredProperty">measuredProperty</a>. Some but not all Observations represent a <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a>. Quantitative observations can be about a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>, which is an abstract specification about which we can make observations that are grounded at a particular location and time.<br/><br/> + +Observations can also encode a subset of simple RDF-like statements (its observationAbout, a StatisticalVariable, defining the measuredPoperty; its observationAbout property indicating the entity the statement is about, and <a class="localLink" href="/value">value</a> )<br/><br/> + +In the context of a quantitative knowledge graph, typical properties could include <a class="localLink" href="/measuredProperty">measuredProperty</a>, <a class="localLink" href="/observationAbout">observationAbout</a>, <a class="localLink" href="/observationDate">observationDate</a>, <a class="localLink" href="/value">value</a>, <a class="localLink" href="/unitCode">unitCode</a>, <a class="localLink" href="/unitText">unitText</a>, <a class="localLink" href="/measurementMethod">measurementMethod</a>. + + + Observation + + + + A profession, may involve prolonged training and/or a formal qualification. + + Occupation + + + + + OccupationalExperienceRequirements + Indicates employment-related experience requirements, e.g. <a class="localLink" href="/monthsOfExperience">monthsOfExperience</a>. + + + + A treatment of people with physical, emotional, or social problems, using purposeful activity to help them overcome or learn to deal with their problems. + OccupationalTherapy + + + + + + An ocean (for example, the Pacific). + OceanBodyOfWater + + + + An offer to transfer some rights to an item or to provide a service — for example, an offer to sell tickets to an event, to rent the DVD of a movie, to stream a TV show over the internet, to repair a motorcycle, or to loan a book.<br/><br/> + +Note: As the <a class="localLink" href="/businessFunction">businessFunction</a> property, which identifies the form of offer (e.g. sell, lease, repair, dispose), defaults to http://purl.org/goodrelations/v1#Sell; an Offer without a defined businessFunction value can be assumed to be an offer to sell.<br/><br/> + +For <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GTIN</a>-related fields, see <a href="http://www.gs1.org/barcodes/support/check_digit_calculator">Check Digit calculator</a> and <a href="http://www.gs1us.org/resources/standards/gtin-validation-guide">validation guide</a> from <a href="http://www.gs1.org/">GS1</a>. + Offer + + + + + + OfferCatalog + An OfferCatalog is an ItemList that contains related Offers and/or further OfferCatalogs that are offeredBy the same provider. + + + + + An <a class="localLink" href="/OfferForLease">OfferForLease</a> in Schema.org represents an <a class="localLink" href="/Offer">Offer</a> to lease out something, i.e. an <a class="localLink" href="/Offer">Offer</a> whose + <a class="localLink" href="/businessFunction">businessFunction</a> is <a href="http://purl.org/goodrelations/v1#LeaseOut.">lease out</a>. See <a href="https://en.wikipedia.org/wiki/GoodRelations">Good Relations</a> for + background on the underlying concepts. + OfferForLease + + + + + OfferForPurchase + An <a class="localLink" href="/OfferForPurchase">OfferForPurchase</a> in Schema.org represents an <a class="localLink" href="/Offer">Offer</a> to sell something, i.e. an <a class="localLink" href="/Offer">Offer</a> whose + <a class="localLink" href="/businessFunction">businessFunction</a> is <a href="http://purl.org/goodrelations/v1#Sell.">sell</a>. See <a href="https://en.wikipedia.org/wiki/GoodRelations">Good Relations</a> for + background on the underlying concepts. + + + + + OfferItemCondition + A list of possible conditions for the item. + + + + OfferShippingDetails represents information about shipping destinations.<br/><br/> + +Multiple of these entities can be used to represent different shipping rates for different destinations:<br/><br/> + +One entity for Alaska/Hawaii. A different one for continental US. A different one for all France.<br/><br/> + +Multiple of these entities can be used to represent different shipping costs and delivery times.<br/><br/> + +Two entities that are identical but differ in rate and time:<br/><br/> + +E.g. Cheaper and slower: $5 in 5-7 days +or Fast and expensive: $15 in 1-2 days. + + OfferShippingDetails + + + + OfficeEquipmentStore + + An office equipment store. + + + + + OnDemandEvent + A publication event, e.g. catch-up TV or radio podcast, during which a program is available on-demand. + + + + + A particular online business, either standalone or the online part of a broader organization. Examples include an eCommerce site, an online travel booking site, an online learning site, an online logistics and shipping provider, an online (virtual) doctor, etc. + OnlineBusiness + + + + + An eCommerce marketplace. + OnlineMarketplace + + + + OnlineStore + + An eCommerce site. + + + + OpeningHoursSpecification + A structured value providing information about the opening hours of a place or a certain service inside a place.<br/><br/> + +The place is <strong>open</strong> if the <a class="localLink" href="/opens">opens</a> property is specified, and <strong>closed</strong> otherwise.<br/><br/> + +If the value for the <a class="localLink" href="/closes">closes</a> property is less than the value for the <a class="localLink" href="/opens">opens</a> property then the hour range is assumed to span over the next day. + + + + + OpinionNewsArticle + + An <a class="localLink" href="/OpinionNewsArticle">OpinionNewsArticle</a> is a <a class="localLink" href="/NewsArticle">NewsArticle</a> that primarily expresses opinions rather than journalistic reporting of news and events. For example, a <a class="localLink" href="/NewsArticle">NewsArticle</a> consisting of a column or <a class="localLink" href="/Blog">Blog</a>/<a class="localLink" href="/BlogPosting">BlogPosting</a> entry in the Opinions section of a news publication. + + + + A store that sells reading glasses and similar devices for improving vision. + + Optician + + + + + An order is a confirmation of a transaction (a receipt), which can contain multiple line items, each represented by an Offer that has been accepted by the customer. + Order + + + + + An agent orders an object/product/service to be delivered/sent. + OrderAction + + + + + An order item is a line of an order. It includes the quantity and shipping details of a bought offer. + OrderItem + + + + Enumerated status values for Order. + OrderStatus + + + + + + Organization + An organization such as a school, NGO, corporation, club, etc. + + + + OrganizationRole + A subclass of Role used to describe roles within organizations. + + + + + The act of manipulating/administering/supervising/controlling one or more objects. + OrganizeAction + + + + + + OutletStore + An outlet store. + + + + A structured value providing information about when a certain organization or person owned a certain product. + OwnershipInfo + + + + + The act of producing a painting, typically with paint and canvas as instruments. + + PaintAction + + + + Painting + A painting. + + + + + PalliativeProcedure + A medical procedure intended primarily for palliative purposes, aimed at relieving the symptoms of an underlying health condition. + + + + + + ParcelDelivery + The delivery of a parcel either via the postal service or a commercial service. + + + + + ParentAudience + A set of characteristics describing parents, who can be interested in viewing some content. + + + + + A park. + + Park + + + + A parking lot or other parking facility. + ParkingFacility + + + + + A medical test performed by a laboratory that typically involves examination of a tissue sample by a pathologist. + PathologyTest + + + + + + + A patient is any person recipient of health care services. + Patient + + + + PawnShop + + A shop that will buy, or lend money against the security of, personal possessions. + + + + + PayAction + An agent pays a price to a participant. + + + + A payment method using a credit, debit, store or other card to associate the payment with an account. + + + PaymentCard + + + + + PaymentChargeSpecification + The costs of settling the payment using a particular payment method. + + + + + PaymentMethod + A payment method is a standardized procedure for transferring the monetary amount for a purchase. Payment methods are characterized by the legal and technical structures used, and by the organization or group carrying out the transaction. The following legacy values should be accepted:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#ByBankTransferInAdvance</li> +<li>http://purl.org/goodrelations/v1#ByInvoice</li> +<li>http://purl.org/goodrelations/v1#Cash</li> +<li>http://purl.org/goodrelations/v1#CheckInAdvance</li> +<li>http://purl.org/goodrelations/v1#COD</li> +<li>http://purl.org/goodrelations/v1#DirectDebit</li> +<li>http://purl.org/goodrelations/v1#GoogleCheckout</li> +<li>http://purl.org/goodrelations/v1#PayPal</li> +<li>http://purl.org/goodrelations/v1#PaySwarm</li> +</ul> + +Structured values are recommended for newer payment methods. + + + + PaymentMethodType + The type of payment method, only for generic payment types, specific forms of payments, like card payment should be expressed using subclasses of PaymentMethod. + + + + + PaymentService + A Service to transfer funds from a person or organization to a beneficiary person or organization. + + + + + + + A specific payment status. For example, PaymentDue, PaymentComplete, etc. + PaymentStatusType + + + + + A set of characteristics belonging to people, e.g. who compose an item's target audience. + PeopleAudience + + + + The act of participating in performance arts. + + PerformAction + + + + A PerformanceRole is a Role that some entity places with regard to a theatrical performance, e.g. in a Movie, TVSeries etc. + + PerformanceRole + + + + PerformingArtsTheater + A theater or other performing art center. + + + + + + PerformingGroup + A performance group, such as a band, an orchestra, or a circus. + + + + Periodical + A publication in any medium issued in successive parts bearing numerical or chronological designations and intended to continue indefinitely, such as a magazine, scholarly journal, or newspaper.<br/><br/> + +See also <a href="https://blog.schema.org/2014/09/02/schema-org-support-for-bibliographic-relationships-and-periodicals/">blog post</a>. + + + + + + Permit + A permit issued by an organization, e.g. a parking pass. + + + + A person (alive, dead, undead, or fictional). + + Person + + + + A pet store. + + PetStore + + + + + + A pharmacy or drugstore. + Pharmacy + + + + Photograph + A photograph. + + + + + + PhotographAction + The act of capturing still images of objects using a camera. + + + + PhysicalActivity + + Any bodily activity that enhances or maintains physical fitness and overall health and wellness. Includes activity that is part of daily living and routine, structured exercise, and exercise prescribed as part of a medical treatment or recovery plan. + + + + Categories of physical activity, organized by physiologic classification. + + PhysicalActivityCategory + + + + + + A type of physical examination of a patient performed by a physician. + PhysicalExam + + + + + A process of progressive physical care and rehabilitation aimed at improving a health condition. + PhysicalTherapy + + + + + + An individual physician or a physician's office considered as a <a class="localLink" href="/MedicalOrganization">MedicalOrganization</a>. + Physician + + + + + PhysiciansOffice + A doctor's office or clinic. + + + + Entities that have a somewhat fixed, physical extension. + Place + + + + + PlaceOfWorship + + Place of worship, such as a church, synagogue, or mosque. + + + + The act of planning the execution of an event/task/action/reservation/plan to a future date. + PlanAction + + + + + A play is a form of literature, usually consisting of dialogue between characters, intended for theatrical performance rather than just reading. Note: A performance of a Play would be a <a class="localLink" href="/TheaterEvent">TheaterEvent</a> or <a class="localLink" href="/BroadcastEvent">BroadcastEvent</a> - the <em>Play</em> being the <a class="localLink" href="/workPerformed">workPerformed</a>. + Play + + + + + PlayAction + The act of playing/exercising/training/performing for enjoyment, leisure, recreation, competition or exercise.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ListenAction">ListenAction</a>: Unlike ListenAction (which is under ConsumeAction), PlayAction refers to performing for an audience or at an event, rather than consuming music.</li> +<li><a class="localLink" href="/WatchAction">WatchAction</a>: Unlike WatchAction (which is under ConsumeAction), PlayAction refers to showing/displaying for an audience or at an event, rather than consuming visual content.</li> +</ul> + + + + + + PlayGameAction + + The act of playing a video game. + + + + Playground + + A playground. + + + + Plumber + + A plumbing service. + + + + PodcastEpisode + + A single episode of a podcast series. + + + + PodcastSeason + A single season of a podcast. Many podcasts do not break down into separate seasons. In that case, PodcastSeries should be used. + + + + + + PodcastSeries + A podcast is an episodic series of digital audio or video files which a user can download and listen to. + + + + + + PoliceStation + A police station. + + + + Organization: Political Party. + + PoliticalParty + + + + + A pond. + Pond + + + + PostOffice + + A post office. + + + + The mailing address. + + PostalAddress + + + + + Indicates a range of postal codes, usually defined as the set of valid codes between <a class="localLink" href="/postalCodeBegin">postalCodeBegin</a> and <a class="localLink" href="/postalCodeEnd">postalCodeEnd</a>, inclusively. + PostalCodeRangeSpecification + + + + + Poster + A large, usually printed placard, bill, or announcement, often illustrated, that is posted to advertise or publicize something. + + + + PreOrderAction + + An agent orders a (not yet released) object/product/service to be delivered/sent. + + + + PrependAction + + The act of inserting at the beginning if an ordered collection. + + + + A preschool. + + Preschool + + + + A file containing slides or used for a presentation. + + PresentationDigitalDocument + + + + PreventionIndication + An indication for preventing an underlying condition, symptom, etc. + + + + + Enumerates different price components that together make up the total price for an offered product. + + PriceComponentTypeEnumeration + + + + + A structured value representing a price or price range. Typically, only the subclasses of this type are used for markup. It is recommended to use <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a> to describe independent amounts of money such as a salary, credit card limits, etc. + PriceSpecification + + + + Enumerates different price types, for example list price, invoice price, and sale price. + PriceTypeEnumeration + + + + + Product + Any offered product or service. For example: a pair of shoes; a concert ticket; the rental of a car; a haircut; or an episode of a TV show streamed online. + + + + + A set of products (either <a class="localLink" href="/ProductGroup">ProductGroup</a>s or specific variants) that are listed together e.g. in an <a class="localLink" href="/Offer">Offer</a>. + + + ProductCollection + + + + ProductGroup + A ProductGroup represents a group of <a class="localLink" href="/Product">Product</a>s that vary only in certain well-described ways, such as by <a class="localLink" href="/size">size</a>, <a class="localLink" href="/color">color</a>, <a class="localLink" href="/material">material</a> etc.<br/><br/> + +While a ProductGroup itself is not directly offered for sale, the various varying products that it represents can be. The ProductGroup serves as a prototype or template, standing in for all of the products who have an <a class="localLink" href="/isVariantOf">isVariantOf</a> relationship to it. As such, properties (including additional types) can be applied to the ProductGroup to represent characteristics shared by each of the (possibly very many) variants. Properties that reference a ProductGroup are not included in this mechanism; neither are the following specific properties <a class="localLink" href="/variesBy">variesBy</a>, <a class="localLink" href="/hasVariant">hasVariant</a>, <a class="localLink" href="/url">url</a>. + + + + + + A datasheet or vendor specification of a product (in the sense of a prototypical description). + ProductModel + + + + ProductReturnEnumeration enumerates several kinds of product return policy. Note that this structure may not capture all aspects of the policy. + ProductReturnEnumeration + + + + + A ProductReturnPolicy provides information about product return policies associated with an <a class="localLink" href="/Organization">Organization</a> or <a class="localLink" href="/Product">Product</a>. + ProductReturnPolicy + + + + + ProfessionalService + + Original definition: "provider of professional services."<br/><br/> + +The general <a class="localLink" href="/ProfessionalService">ProfessionalService</a> type for local businesses was deprecated due to confusion with <a class="localLink" href="/Service">Service</a>. For reference, the types that it included were: <a class="localLink" href="/Dentist">Dentist</a>, + <a class="localLink" href="/AccountingService">AccountingService</a>, <a class="localLink" href="/Attorney">Attorney</a>, <a class="localLink" href="/Notary">Notary</a>, as well as types for several kinds of <a class="localLink" href="/HomeAndConstructionBusiness">HomeAndConstructionBusiness</a>: <a class="localLink" href="/Electrician">Electrician</a>, <a class="localLink" href="/GeneralContractor">GeneralContractor</a>, + <a class="localLink" href="/HousePainter">HousePainter</a>, <a class="localLink" href="/Locksmith">Locksmith</a>, <a class="localLink" href="/Plumber">Plumber</a>, <a class="localLink" href="/RoofingContractor">RoofingContractor</a>. <a class="localLink" href="/LegalService">LegalService</a> was introduced as a more inclusive supertype of <a class="localLink" href="/Attorney">Attorney</a>. + + + + + Web page type: Profile page. + ProfilePage + + + + Used to describe membership in a loyalty programs (e.g. "StarAliance"), traveler clubs (e.g. "AAA"), purchase clubs ("Safeway Club"), etc. + ProgramMembership + + + + + An enterprise (potentially individual but typically collaborative), planned to achieve a particular aim. +Use properties from <a class="localLink" href="/Organization">Organization</a>, <a class="localLink" href="/subOrganization">subOrganization</a>/<a class="localLink" href="/parentOrganization">parentOrganization</a> to indicate project sub-structures. + Project + + + + + PronounceableText + + Data type: PronounceableText. + + + + + Property + A property, used to indicate attributes and relationships of some Thing; equivalent to rdf:Property. + + + + PropertyValue + A property-value pair, e.g. representing a feature of a product or place. Use the 'name' property for the name of the property. If there is an additional human-readable version of the value, put that into the 'description' property.<br/><br/> + +Always use specific schema.org properties when a) they exist and b) you can populate them. Using PropertyValue as a substitute will typically not trigger the same effect as using the original, specific property. + + + + + A Property value specification. + + PropertyValueSpecification + + + + Protein + + Protein is here used in its widest possible definition, as classes of amino acid based molecules. Amyloid-beta Protein in human (UniProt P05067), eukaryota (e.g. an OrthoDB group) or even a single molecule that one can point to are all of type :Protein. A protein can thus be a subclass of another protein, e.g. :Protein as a UniProt record can have multiple isoforms inside it which would also be :Protein. They can be imagined, synthetic, hypothetical or naturally occurring. + + + + A process of care relying upon counseling, dialogue and communication aimed at improving a mental health condition without use of drugs. + PsychologicalTreatment + + + + + PublicSwimmingPool + + A public swimming pool. + + + + A public toilet is a room or small building containing one or more toilets (and possibly also urinals) which is available for use by the general public, or by customers or employees of certain businesses. + PublicToilet + + + + + PublicationEvent + A PublicationEvent corresponds indifferently to the event of publication for a CreativeWork of any type, e.g. a broadcast event, an on-demand event, a book/journal publication via a variety of delivery media. + + + + + PublicationIssue + A part of a successively published publication such as a periodical or publication volume, often numbered, usually containing a grouping of works such as articles.<br/><br/> + +See also <a href="https://blog-schema.org/2014/09/02/schema-org-support-for-bibliographic-relationships-and-periodicals/">blog post</a>. + + + + + PublicationVolume + + A part of a successively published publication such as a periodical or multi-volume work, often numbered. It may represent a time span, such as a year.<br/><br/> + +See also <a href="https://blog-schema.org/2014/09/02/schema-org-support-for-bibliographic-relationships-and-periodicals/">blog post</a>. + + + + Enumerates a purchase type for an item. + PurchaseType + + + + + A QAPage is a WebPage focussed on a specific Question and its Answer(s), e.g. in a question answering site or documenting Frequently Asked Questions (FAQs). + + QAPage + + + + + A predefined value for a product characteristic, e.g. the power cord plug type 'US' or the garment sizes 'S', 'M', 'L', and 'XL'. + QualitativeValue + + + + + A point value or interval for product characteristics and other purposes. + QuantitativeValue + + + + A statistical distribution of values. + QuantitativeValueDistribution + + + + + Quantity + + Quantities such as distance, time, mass, weight, etc. Particular instances of say Mass are entities like '3 kg' or '4 milligrams'. + + + + A specific question - e.g. from a user seeking answers online, or collected in a Frequently Asked Questions (FAQ) document. + + Question + + + + Quiz: A test of knowledge, skills and abilities. + + Quiz + + + + A quotation. Often but not necessarily from some written work, attributable to a real world author and - if associated with a fictional character - to any fictional Person. Use <a class="localLink" href="/isBasedOn">isBasedOn</a> to link to source/origin. The <a class="localLink" href="/recordedIn">recordedIn</a> property can be used to reference a Quotation from an <a class="localLink" href="/Event">Event</a>. + + Quotation + + + + + QuoteAction + An agent quotes/estimates/appraises an object/product/service with a price at a location/store. + + + + A place offering space for "Recreational Vehicles", Caravans, mobile homes and the like. + + RVPark + + + + RadiationTherapy + + A process of care using radiation aimed at improving a health condition. + + + + RadioBroadcastService + A delivery service through which radio content is provided via broadcast over the air or online. + + + + + + RadioChannel + A unique instance of a radio BroadcastService on a CableOrSatelliteService lineup. + + + + + RadioClip + A short radio program or a segment/part of a radio program. + + + + RadioEpisode + A radio episode which can be part of a series or season. + + + + + + RadioSeason + Season dedicated to radio broadcast and associated online delivery. + + + + + CreativeWorkSeries dedicated to radio broadcast and associated online delivery. + RadioSeries + + + + + A radio station. + RadioStation + + + + A rating is an evaluation on a numeric scale, such as 1 to 5 stars. + + Rating + + + + ReactAction + The act of responding instinctively and emotionally to an object, expressing a sentiment. + + + + + The act of consuming written content. + + ReadAction + + + + RealEstateAgent + + A real-estate agent. + + + + + A <a class="localLink" href="/RealEstateListing">RealEstateListing</a> is a listing that describes one or more real-estate <a class="localLink" href="/Offer">Offer</a>s (whose <a class="localLink" href="/businessFunction">businessFunction</a> is typically to lease out, or to sell). + The <a class="localLink" href="/RealEstateListing">RealEstateListing</a> type itself represents the overall listing, as manifested in some <a class="localLink" href="/WebPage">WebPage</a>. + RealEstateListing + + + + + The act of physically/electronically taking delivery of an object that has been transferred from an origin to a destination. Reciprocal of SendAction.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/SendAction">SendAction</a>: The reciprocal of ReceiveAction.</li> +<li><a class="localLink" href="/TakeAction">TakeAction</a>: Unlike TakeAction, ReceiveAction does not imply that the ownership has been transferred (e.g. I can receive a package, but it does not mean the package is now mine).</li> +</ul> + + ReceiveAction + + + + A recipe. For dietary restrictions covered by the recipe, a few common restrictions are enumerated via <a class="localLink" href="/suitableForDiet">suitableForDiet</a>. The <a class="localLink" href="/keywords">keywords</a> property can also be used to add more detail. + Recipe + + + + + Recommendation + <a class="localLink" href="/Recommendation">Recommendation</a> is a type of <a class="localLink" href="/Review">Review</a> that suggests or proposes something as the best option or best course of action. Recommendations may be for products or services, or other concrete things, as in the case of a ranked list or product guide. A <a class="localLink" href="/Guide">Guide</a> may list multiple recommendations for different categories. For example, in a <a class="localLink" href="/Guide">Guide</a> about which TVs to buy, the author may have several <a class="localLink" href="/Recommendation">Recommendation</a>s. + + + + + A recommended dosing schedule for a drug or supplement as prescribed or recommended by an authority or by the drug/supplement's manufacturer. Capture the recommending authority in the recognizingAuthority property of MedicalEntity. + + RecommendedDoseSchedule + + + + + A recycling center. + RecyclingCenter + + + + Enumerates several kinds of product return refund types. + + RefundTypeEnumeration + + + + The act of registering to be a user of a service, product or web page.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/JoinAction">JoinAction</a>: Unlike JoinAction, RegisterAction implies you are registering to be a user of a service, <em>not</em> a group/team of people.</li> +<li><a class="localLink" href="/FollowAction">FollowAction</a>: Unlike FollowAction, RegisterAction doesn't imply that the agent is expecting to poll for updates from the object.</li> +<li><a class="localLink" href="/SubscribeAction">SubscribeAction</a>: Unlike SubscribeAction, RegisterAction doesn't imply that the agent is expecting updates from the object.</li> +</ul> + + RegisterAction + + + + + RejectAction + + The act of rejecting to/adopting an object.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/AcceptAction">AcceptAction</a>: The antonym of RejectAction.</li> +</ul> + + + + + RentAction + The act of giving money in return for temporary use, but not ownership, of an object such as a vehicle or property. For example, an agent rents a property from a landlord in exchange for a periodic payment. + + + + + + A reservation for a rental car.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. + RentalCarReservation + + + + A structured value representing repayment. + + RepaymentSpecification + + + + ReplaceAction + The act of editing a recipient by replacing an old object with a new object. + + + + + ReplyAction + + The act of responding to a question/message asked/sent by the object. Related to <a class="localLink" href="/AskAction">AskAction</a>.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/AskAction">AskAction</a>: Appears generally as an origin of a ReplyAction.</li> +</ul> + + + + + A Report generated by governmental or non-governmental organization. + + Report + + + + ReportageNewsArticle + + The <a class="localLink" href="/ReportageNewsArticle">ReportageNewsArticle</a> type is a subtype of <a class="localLink" href="/NewsArticle">NewsArticle</a> representing + news articles which are the result of journalistic news reporting conventions.<br/><br/> + +In practice many news publishers produce a wide variety of article types, many of which might be considered a <a class="localLink" href="/NewsArticle">NewsArticle</a> but not a <a class="localLink" href="/ReportageNewsArticle">ReportageNewsArticle</a>. For example, opinion pieces, reviews, analysis, sponsored or satirical articles, or articles that combine several of these elements.<br/><br/> + +The <a class="localLink" href="/ReportageNewsArticle">ReportageNewsArticle</a> type is based on a stricter ideal for "news" as a work of journalism, with articles based on factual information either observed or verified by the author, or reported and verified from knowledgeable sources. This often includes perspectives from multiple viewpoints on a particular issue (distinguishing news reports from public relations or propaganda). News reports in the <a class="localLink" href="/ReportageNewsArticle">ReportageNewsArticle</a> sense de-emphasize the opinion of the author, with commentary and value judgements typically expressed elsewhere.<br/><br/> + +A <a class="localLink" href="/ReportageNewsArticle">ReportageNewsArticle</a> which goes deeper into analysis can also be marked with an additional type of <a class="localLink" href="/AnalysisNewsArticle">AnalysisNewsArticle</a>. + + + + A patient-reported or observed dosing schedule for a drug or supplement. + ReportedDoseSchedule + + + + + ResearchOrganization + + A Research Organization (e.g. scientific institute, research company). + + + + + A Research project. + ResearchProject + + + + Researcher + Researchers. + + + + + Describes a reservation for travel, dining or an event. Some reservations require tickets. <br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, restaurant reservations, flights, or rental cars, use <a class="localLink" href="/Offer">Offer</a>. + + Reservation + + + + ReservationPackage + A group of multiple reservations with common values for all sub-reservations. + + + + + + ReservationStatusType + Enumerated status values for Reservation. + + + + ReserveAction + Reserving a concrete object.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ScheduleAction">ScheduleAction</a>: Unlike ScheduleAction, ReserveAction reserves concrete objects (e.g. a table, a hotel) towards a time slot / spatial allocation.</li> +</ul> + + + + + + + A reservoir of water, typically an artificially created lake, like the Lake Kariba reservoir. + Reservoir + + + + + Residence + The place where a person lives. + + + + A resort is a place used for relaxation or recreation, attracting visitors for holidays or vacations. Resorts are places, towns or sometimes commercial establishments operated by a single company (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/Resort">http://en.wikipedia.org/wiki/Resort</a>). +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + Resort + + + + + Restaurant + A restaurant. + + + + + RestrictedDiet + A diet restricted to certain foods or preparations for cultural, religious, health or lifestyle reasons. + + + + + The act of resuming a device or application which was formerly paused (e.g. resume music playback or resume a timer). + + ResumeAction + + + + ReturnAction + The act of returning to the origin that which was previously received (concrete objects) or taken (ownership). + + + + + ReturnFeesEnumeration + + Enumerates several kinds of policies for product return fees. + + + + ReturnLabelSourceEnumeration + Enumerates several types of return labels for product returns. + + + + + ReturnMethodEnumeration + + Enumerates several types of product return methods. + + + + + Review + A review of an item - for example, of a restaurant, movie, or store. + + + + ReviewAction + The act of producing a balanced opinion about the object for an audience. An agent reviews an object with participants resulting in a review. + + + + + ReviewNewsArticle + A <a class="localLink" href="/NewsArticle">NewsArticle</a> and <a class="localLink" href="/CriticReview">CriticReview</a> providing a professional critic's assessment of a service, product, performance, or artistic or literary work. + + + + + + A river (for example, the broad majestic Shannon). + RiverBodyOfWater + + + + + Represents additional information about a relationship or property. For example a Role can be used to say that a 'member' role linking some SportsTeam to a player occurred during a particular time period. Or that a Person's 'actor' role in a Movie was for some particular characterName. Such properties can be attached to a Role entity, which is then associated with the main entities using ordinary properties like 'member' or 'actor'.<br/><br/> + +See also <a href="https://blog.schema.org/2014/06/16/introducing-role/">blog post</a>. + Role + + + + + + RoofingContractor + A roofing contractor. + + + + + A room is a distinguishable space within a structure, usually separated from other spaces by interior walls (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/Room">http://en.wikipedia.org/wiki/Room</a>). +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + Room + + + + + RsvpAction + The act of notifying an event organizer as to whether you expect to attend the event. + + + + RsvpResponseType + + RsvpResponseType is an enumeration type whose instances represent responding to an RSVP request. + + + + SaleEvent + Event type: Sales event. + + + + + + An <a class="localLink" href="/Article">Article</a> whose content is primarily <a href="https://en.wikipedia.org/wiki/Satire">[satirical]</a> in nature, i.e. unlikely to be literally true. A satirical article is sometimes but not necessarily also a <a class="localLink" href="/NewsArticle">NewsArticle</a>. <a class="localLink" href="/ScholarlyArticle">ScholarlyArticle</a>s are also sometimes satirized. + SatiricalArticle + + + + Schedule + A schedule defines a repeating time period used to describe a regularly occurring <a class="localLink" href="/Event">Event</a>. At a minimum a schedule will specify <a class="localLink" href="/repeatFrequency">repeatFrequency</a> which describes the interval between occurrences of the event. Additional information can be provided to specify the schedule more precisely. + This includes identifying the day(s) of the week or month when the recurring event will take place, in addition to its start and end time. Schedules may also + have start and end dates to indicate when they are active, e.g. to define a limited calendar of events. + + + + + ScheduleAction + + Scheduling future actions, events, or tasks.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ReserveAction">ReserveAction</a>: Unlike ReserveAction, ScheduleAction allocates future actions (e.g. an event, a task, etc) towards a time slot / spatial allocation.</li> +</ul> + + + + + + ScholarlyArticle + A scholarly article. + + + + A school. + School + + + + + SchoolDistrict + A School District is an administrative area for the administration of schools. + + + + + + ScreeningEvent + A screening of a movie or other video. + + + + A piece of sculpture. + + Sculpture + + + + + A sea (for example, the Caspian sea). + SeaBodyOfWater + + + + The act of searching for an object.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/FindAction">FindAction</a>: SearchAction generally leads to a FindAction, but not necessarily.</li> +</ul> + + + SearchAction + + + + SearchRescueOrganization + A Search and Rescue organization of some kind. + + + + + SearchResultsPage + Web page type: Search results page. + + + + + + Season + A media season, e.g. TV, radio, video game etc. + + + + Seat + + Used to describe a seat, such as a reserved seat in an event reservation. + + + + This is the <a class="localLink" href="/Action">Action</a> of navigating to a specific <a class="localLink" href="/startOffset">startOffset</a> timestamp within a <a class="localLink" href="/VideoObject">VideoObject</a>, typically represented with a URL template structure. + SeekToAction + + + + + + A self-storage facility. + SelfStorage + + + + + The act of taking money from a buyer in exchange for goods or services rendered. An agent sells an object, product, or service to a buyer for a price. Reciprocal of BuyAction. + SellAction + + + + SendAction + The act of physically/electronically dispatching an object for transfer from an origin to a destination. Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/ReceiveAction">ReceiveAction</a>: The reciprocal of SendAction.</li> +<li><a class="localLink" href="/GiveAction">GiveAction</a>: Unlike GiveAction, SendAction does not imply the transfer of ownership (e.g. I can send you my laptop, but I'm not necessarily giving it to you).</li> +</ul> + + + + + + A Series in schema.org is a group of related items, typically but not necessarily of the same kind. See also <a class="localLink" href="/CreativeWorkSeries">CreativeWorkSeries</a>, <a class="localLink" href="/EventSeries">EventSeries</a>. + + Series + + + + A service provided by an organization, e.g. delivery service, print services, etc. + + Service + + + + ServiceChannel + + A means for accessing a service, e.g. a government office location, web site, or phone number. + + + + ServicePeriod represents a duration with some constraints about cutoff time and business days. This is used e.g. in shipping for handling times or transit time. + ServicePeriod + + + + + ShareAction + + The act of distributing content to people for their amusement or edification. + + + + + Printed music, as opposed to performed or recorded music. + SheetMusic + + + + ShippingConditions represent a set of constraints and information about the conditions of shipping a product. Such conditions may apply to only a subset of the products being shipped, depending on aspects of the product like weight, size, price, destination, and others. All the specified conditions must be met for this ShippingConditions to apply. + + ShippingConditions + + + + ShippingDeliveryTime + ShippingDeliveryTime provides various pieces of information about delivery times for shipping. + + + + + ShippingRateSettings + + A ShippingRateSettings represents re-usable pieces of shipping information. It is designed for publication on an URL that may be referenced via the <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> property of an <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a>. Several occurrences can be published, distinguished and matched (i.e. identified/referenced) by their different values for <a class="localLink" href="/shippingLabel">shippingLabel</a>. + + + + + ShippingService + ShippingService represents the criteria used to determine if and how an offer could be shipped to a customer. + + + + + A shoe store. + ShoeStore + + + + ShoppingCenter + + A shopping center or mall. + + + + ShortStory + + Short story or tale. A brief work of literature, usually written in narrative prose. + + + + SingleFamilyResidence + Residence type: Single-family home. + + + + + + A navigation element of the page. + SiteNavigationElement + + + + Enumerates common size groups for various product categories. + + SizeGroupEnumeration + + + + SizeSpecification + Size related properties of a product, typically a size code (<a class="localLink" href="/name">name</a>) and optionally a <a class="localLink" href="/sizeSystem">sizeSystem</a>, <a class="localLink" href="/sizeGroup">sizeGroup</a>, and product measurements (<a class="localLink" href="/hasMeasurement">hasMeasurement</a>). In addition, the intended audience can be defined through <a class="localLink" href="/suggestedAge">suggestedAge</a>, <a class="localLink" href="/suggestedGender">suggestedGender</a>, and suggested body measurements (<a class="localLink" href="/suggestedMeasurement">suggestedMeasurement</a>). + + + + + SizeSystemEnumeration + + Enumerates common size systems for different categories of products, for example "EN-13402" or "UK" for wearables or "Imperial" for screws. + + + + + + A ski resort. + SkiResort + + + + + SocialEvent + Event type: Social event. + + + + SocialMediaPosting + + A post to a social media platform, including blog posts, tweets, Facebook posts, etc. + + + + + SoftwareApplication + A software application. + + + + + SoftwareSourceCode + Computer programming source code. Example: Full (compile ready) solutions, code snippet samples, scripts, templates. + + + + SolveMathAction + The action that takes in a math expression and directs users to a page potentially capable of solving/simplifying that expression. + + + + + A placeholder for multiple similar products of the same kind. + SomeProducts + + + + + + SpeakableSpecification + A SpeakableSpecification indicates (typically via <a class="localLink" href="/xpath">xpath</a> or <a class="localLink" href="/cssSelector">cssSelector</a>) sections of a document that are highlighted as particularly <a class="localLink" href="/speakable">speakable</a>. Instances of this type are expected to be used primarily as values of the <a class="localLink" href="/speakable">speakable</a> property. + + + + SpecialAnnouncement + A SpecialAnnouncement combines a simple date-stamped textual information update + with contextualized Web links and other structured data. It represents an information update made by a + locally-oriented organization, for example schools, pharmacies, healthcare providers, community groups, police, + local government.<br/><br/> + +For work in progress guidelines on Coronavirus-related markup see <a href="https://docs.google.com/document/d/14ikaGCKxo50rRM7nvKSlbUpjyIk2WMQd3IkB1lItlrM/edit#">this doc</a>.<br/><br/> + +The motivating scenario for SpecialAnnouncement is the <a href="https://en.wikipedia.org/wiki/2019%E2%80%9320_coronavirus_pandemic">Coronavirus pandemic</a>, and the initial vocabulary is oriented to this urgent situation. Schema.org +expect to improve the markup iteratively as it is deployed and as feedback emerges from use. In addition to our +usual <a href="https://github.com/schemaorg/schemaorg/issues/2490">Github entry</a>, feedback comments can also be provided in <a href="https://docs.google.com/document/d/1fpdFFxk8s87CWwACs53SGkYv3aafSxz_DTtOQxMrBJQ/edit#">this document</a>.<br/><br/> + +While this schema is designed to communicate urgent crisis-related information, it is not the same as an emergency warning technology like <a href="https://en.wikipedia.org/wiki/Common_Alerting_Protocol">CAP</a>, although there may be overlaps. The intent is to cover +the kinds of everyday practical information being posted to existing websites during an emergency situation.<br/><br/> + +Several kinds of information can be provided:<br/><br/> + +We encourage the provision of "name", "text", "datePosted", "expires" (if appropriate), "category" and +"url" as a simple baseline. It is important to provide a value for "category" where possible, most ideally as a well known +URL from Wikipedia or Wikidata. In the case of the 2019-2020 Coronavirus pandemic, this should be "https://en.wikipedia.org/w/index.php?title=2019-20_coronavirus_pandemic" or "https://www.wikidata.org/wiki/Q81068910".<br/><br/> + +For many of the possible properties, values can either be simple links or an inline description, depending on whether a summary is available. For a link, provide just the URL of the appropriate page as the property's value. For an inline description, use a <a class="localLink" href="/WebContent">WebContent</a> type, and provide the url as a property of that, alongside at least a simple "<a class="localLink" href="/text">text</a>" summary of the page. It is +unlikely that a single SpecialAnnouncement will need all of the possible properties simultaneously.<br/><br/> + +We expect that in many cases the page referenced might contain more specialized structured data, e.g. contact info, <a class="localLink" href="/openingHours">openingHours</a>, <a class="localLink" href="/Event">Event</a>, <a class="localLink" href="/FAQPage">FAQPage</a> etc. By linking to those pages from a <a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a> you can help make it clearer that the events are related to the situation (e.g. Coronavirus) indicated by the <a class="localLink" href="/category">category</a> property of the <a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a>.<br/><br/> + +Many <a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a>s will relate to particular regions and to identifiable local organizations. Use <a class="localLink" href="/spatialCoverage">spatialCoverage</a> for the region, and <a class="localLink" href="/announcementLocation">announcementLocation</a> to indicate specific <a class="localLink" href="/LocalBusiness">LocalBusiness</a>es and <a class="localLink" href="/CivicStructure">CivicStructure</a>s. If the announcement affects both a particular region and a specific location (for example, a library closure that serves an entire region), use both <a class="localLink" href="/spatialCoverage">spatialCoverage</a> and <a class="localLink" href="/announcementLocation">announcementLocation</a>.<br/><br/> + +The <a class="localLink" href="/about">about</a> property can be used to indicate entities that are the focus of the announcement. We now recommend using <a class="localLink" href="/about">about</a> only +for representing non-location entities (e.g. a <a class="localLink" href="/Course">Course</a> or a <a class="localLink" href="/RadioStation">RadioStation</a>). For places, use <a class="localLink" href="/announcementLocation">announcementLocation</a> and <a class="localLink" href="/spatialCoverage">spatialCoverage</a>. Consumers of this markup should be aware that the initial design encouraged the use of <a class="localLink" href="/about">about</a> for locations too.<br/><br/> + +The basic content of <a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a> is similar to that of an <a href="https://en.wikipedia.org/wiki/RSS">RSS</a> or <a href="https://en.wikipedia.org/wiki/Atom_(Web_standard)">Atom</a> feed. For publishers without such feeds, basic feed-like information can be shared by posting +<a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a> updates in a page, e.g. using JSON-LD. For sites with Atom/RSS functionality, you can point to a feed +with the <a class="localLink" href="/webFeed">webFeed</a> property. This can be a simple URL, or an inline <a class="localLink" href="/DataFeed">DataFeed</a> object, with <a class="localLink" href="/encodingFormat">encodingFormat</a> providing +media type information, e.g. "application/rss+xml" or "application/atom+xml". + + + + + Any branch of a field in which people typically develop specific expertise, usually after significant study, time, and effort. + Specialty + + + + + SportingGoodsStore + + A sporting goods store. + + + + A sports location, such as a playing field. + SportsActivityLocation + + + + + SportsClub + + A sports club. + + + + + SportsEvent + Event type: Sports event. + + + + + Represents the collection of all sports organizations, including sports teams, governing bodies, and sports associations. + SportsOrganization + + + + Organization: Sports team. + SportsTeam + + + + + A spreadsheet file. + SpreadsheetDigitalDocument + + + + + A stadium. + + + StadiumOrArena + + + + State + A state or province of a country. + + + + + Statement + A statement about something, for example a fun or interesting fact. If known, the main entity this statement is about can be indicated using mainEntity. For more formal claims (e.g. in Fact Checking), consider using <a class="localLink" href="/Claim">Claim</a> instead. Use the <a class="localLink" href="/text">text</a> property to capture the text of the statement. + + + + + StatisticalPopulation + A StatisticalPopulation is a set of instances of a certain given type that satisfy some set of constraints. The property <a class="localLink" href="/populationType">populationType</a> is used to specify the type. Any property that can be used on instances of that type can appear on the statistical population. For example, a <a class="localLink" href="/StatisticalPopulation">StatisticalPopulation</a> representing all <a class="localLink" href="/Person">Person</a>s with a <a class="localLink" href="/homeLocation">homeLocation</a> of East Podunk California would be described by applying the appropriate <a class="localLink" href="/homeLocation">homeLocation</a> and <a class="localLink" href="/populationType">populationType</a> properties to a <a class="localLink" href="/StatisticalPopulation">StatisticalPopulation</a> item that stands for that set of people. +The properties <a class="localLink" href="/numConstraints">numConstraints</a> and <a class="localLink" href="/constraintProperty">constraintProperty</a> are used to specify which of the populations properties are used to specify the population. Note that the sense of "population" used here is the general sense of a statistical +population, and does not imply that the population consists of people. For example, a <a class="localLink" href="/populationType">populationType</a> of <a class="localLink" href="/Event">Event</a> or <a class="localLink" href="/NewsArticle">NewsArticle</a> could be used. See also <a class="localLink" href="/Observation">Observation</a>, where a <a class="localLink" href="/populationType">populationType</a> such as <a class="localLink" href="/Person">Person</a> or <a class="localLink" href="/Event">Event</a> can be indicated directly. In most cases it may be better to use <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> instead of <a class="localLink" href="/StatisticalPopulation">StatisticalPopulation</a>. + + + + + + <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> represents any type of statistical metric that can be measured at a place and time. The usage pattern for <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> is typically expressed using <a class="localLink" href="/Observation">Observation</a> with an explicit <a class="localLink" href="/populationType">populationType</a>, which is a type, typically drawn from Schema.org. Each <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> is marked as a <a class="localLink" href="/ConstraintNode">ConstraintNode</a>, meaning that some properties (those listed using <a class="localLink" href="/constraintProperty">constraintProperty</a>) serve in this setting solely to define the statistical variable rather than literally describe a specific person, place or thing. For example, a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> Median<em>Height</em>Person_Female representing the median height of women, could be written as follows: the population type is <a class="localLink" href="/Person">Person</a>; the measuredProperty <a class="localLink" href="/height">height</a>; the <a class="localLink" href="/statType">statType</a> <a class="localLink" href="/median">median</a>; the <a class="localLink" href="/gender">gender</a> <a class="localLink" href="/Female">Female</a>. It is important to note that there are many kinds of scientific quantitative observation which are not fully, perfectly or unambiguously described following this pattern, or with solely Schema.org terminology. The approach taken here is designed to allow partial, incremental or minimal description of <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>s, and the use of detailed sets of entity and property IDs from external repositories. The <a class="localLink" href="/measurementMethod">measurementMethod</a>, <a class="localLink" href="/unitCode">unitCode</a> and <a class="localLink" href="/unitText">unitText</a> properties can also be used to clarify the specific nature and notation of an observed measurement. + StatisticalVariable + + + + StatusEnumeration + + Lists or enumerations dealing with status types. + + + + + A value indicating a steering position. + SteeringPositionValue + + + + + Store + A retail good store. + + + + Structured values are used when the value of a property has a more complex structure than simply being a textual value or a reference to another thing. + StructuredValue + + + + + + StupidType + A StupidType for testing. + + + + SubscribeAction + The act of forming a personal connection with someone/something (object) unidirectionally/asymmetrically to get updates pushed to.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/FollowAction">FollowAction</a>: Unlike FollowAction, SubscribeAction implies that the subscriber acts as a passive agent being constantly/actively pushed for updates.</li> +<li><a class="localLink" href="/RegisterAction">RegisterAction</a>: Unlike RegisterAction, SubscribeAction implies that the agent is interested in continuing receiving updates from the object.</li> +<li><a class="localLink" href="/JoinAction">JoinAction</a>: Unlike JoinAction, SubscribeAction implies that the agent is interested in continuing receiving updates from the object.</li> +</ul> + + + + + + + Substance + Any matter of defined composition that has discrete existence, whose origin may be biological, mineral or chemical. + + + + A subway station. + SubwayStation + + + + + A suite in a hotel or other public accommodation, denotes a class of luxury accommodations, the key feature of which is multiple rooms (source: Wikipedia, the free encyclopedia, see <a href="http://en.wikipedia.org/wiki/Suite_(hotel)">http://en.wikipedia.org/wiki/Suite_(hotel)</a>). +<br /><br /> +See also the <a href="/docs/hotels.html">dedicated document on the use of schema.org for marking up hotels and other forms of accommodations</a>. + + Suite + + + + Anatomical features that can be observed by sight (without dissection), including the form and proportions of the human body as well as surface landmarks that correspond to deeper subcutaneous structures. Superficial anatomy plays an important role in sports medicine, phlebotomy, and other medical specialties as underlying anatomical structures can be identified through surface palpation. For example, during back surgery, superficial anatomy can be used to palpate and count vertebrae to find the site of incision. Or in phlebotomy, superficial anatomy can be used to locate an underlying vein; for example, the median cubital vein can be located by palpating the borders of the cubital fossa (such as the epicondyles of the humerus) and then looking for the superficial signs of the vein, such as size, prominence, ability to refill after depression, and feel of surrounding tissue support. As another example, in a subluxation (dislocation) of the glenohumeral joint, the bony structure becomes pronounced with the deltoid muscle failing to cover the glenohumeral joint allowing the edges of the scapula to be superficially visible. Here, the superficial anatomy is the visible edges of the scapula, implying the underlying dislocation of the joint (the related anatomical structure). + SuperficialAnatomy + + + + + + SurgicalProcedure + A medical procedure involving an incision with instruments; performed for diagnose, or therapeutic purposes. + + + + + The act of momentarily pausing a device or application (e.g. pause music playback or pause a timer). + SuspendAction + + + + Syllabus + + A syllabus that describes the material covered in a course, often with several such sections per <a class="localLink" href="/Course">Course</a> so that a distinct <a class="localLink" href="/timeRequired">timeRequired</a> can be provided for that section of the <a class="localLink" href="/Course">Course</a>. + + + + A synagogue. + Synagogue + + + + + + A short TV program or a segment/part of a TV program. + TVClip + + + + + A TV episode which can be part of a series or season. + TVEpisode + + + + Season dedicated to TV broadcast and associated online delivery. + TVSeason + + + + + + TVSeries + + + CreativeWorkSeries dedicated to TV broadcast and associated online delivery. + + + + + A table on a Web page. + Table + + + + TakeAction + + The act of gaining ownership of an object from an origin. Reciprocal of GiveAction.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/GiveAction">GiveAction</a>: The reciprocal of TakeAction.</li> +<li><a class="localLink" href="/ReceiveAction">ReceiveAction</a>: Unlike ReceiveAction, TakeAction implies that ownership has been transferred.</li> +</ul> + + + + + A tattoo parlor. + TattooParlor + + + + + + A taxi. + Taxi + + + + + A reservation for a taxi.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + TaxiReservation + + + + TaxiService + A service for a vehicle for hire with a driver for local travel. Fares are usually calculated based on distance traveled. + + + + + + A taxi stand. + TaxiStand + + + + A set of organisms asserted to represent a natural cohesive biological unit. + + Taxon + + + + TechArticle + A technical article - Example: How-to (task) topics, step-by-step, procedural troubleshooting, specifications, etc. + + + + + + A unique instance of a television BroadcastService on a CableOrSatelliteService lineup. + TelevisionChannel + + + + + TelevisionStation + A television station. + + + + TennisComplex + A tennis complex. + + + + + + Text + Data type: Text. + + + + TextDigitalDocument + + A file composed primarily of text. + + + + A text file. The text can be unformatted or contain markup, html, etc. + + TextObject + + + + + TheaterEvent + Event type: Theater performance. + + + + TheaterGroup + A theater group or company, for example, the Royal Shakespeare Company or Druid Theatre. + + + + + TherapeuticProcedure + + A medical procedure intended primarily for therapeutic purposes, aimed at improving a health condition. + + + + Thesis + + A thesis or dissertation document submitted in support of candidature for an academic degree or professional qualification. + + + + Thing + The most generic type of item. + + + + Ticket + + Used to describe a ticket to an event, a flight, a bus ride, etc. + + + + The act of reaching a draw in a competitive activity. + TieAction + + + + + + TierBenefitEnumeration + An enumeration of possible benefits as part of a loyalty (members) program. + + + + + A point in time recurring on multiple days in the form hh:mm:ss[Z|(+|-)hh:mm] (see <a href="http://www.w3.org/TR/xmlschema-2/#time">XML schema for details</a>). + Time + + + + + The act of giving money voluntarily to a beneficiary in recognition of services rendered. + TipAction + + + + A tire shop. + TireShop + + + + + + A tourist attraction. In principle any Thing can be a <a class="localLink" href="/TouristAttraction">TouristAttraction</a>, from a <a class="localLink" href="/Mountain">Mountain</a> and <a class="localLink" href="/LandmarksOrHistoricalBuildings">LandmarksOrHistoricalBuildings</a> to a <a class="localLink" href="/LocalBusiness">LocalBusiness</a>. This Type can be used on its own to describe a general <a class="localLink" href="/TouristAttraction">TouristAttraction</a>, or be used as an <a class="localLink" href="/additionalType">additionalType</a> to add tourist attraction properties to any other type. (See examples below) + TouristAttraction + + + + A tourist destination. In principle any <a class="localLink" href="/Place">Place</a> can be a <a class="localLink" href="/TouristDestination">TouristDestination</a> from a <a class="localLink" href="/City">City</a>, Region or <a class="localLink" href="/Country">Country</a> to an <a class="localLink" href="/AmusementPark">AmusementPark</a> or <a class="localLink" href="/Hotel">Hotel</a>. This Type can be used on its own to describe a general <a class="localLink" href="/TouristDestination">TouristDestination</a>, or be used as an <a class="localLink" href="/additionalType">additionalType</a> to add tourist relevant properties to any other <a class="localLink" href="/Place">Place</a>. A <a class="localLink" href="/TouristDestination">TouristDestination</a> is defined as a <a class="localLink" href="/Place">Place</a> that contains, or is colocated with, one or more <a class="localLink" href="/TouristAttraction">TouristAttraction</a>s, often linked by a similar theme or interest to a particular <a class="localLink" href="/touristType">touristType</a>. The <a href="http://www2.unwto.org/">UNWTO</a> defines Destination (main destination of a tourism trip) as the place visited that is central to the decision to take the trip. + (See examples below.) + + TouristDestination + + + + A tourist information center. + + TouristInformationCenter + + + + A tourist trip. A created itinerary of visits to one or more places of interest (<a class="localLink" href="/TouristAttraction">TouristAttraction</a>/<a class="localLink" href="/TouristDestination">TouristDestination</a>) often linked by a similar theme, geographic area, or interest to a particular <a class="localLink" href="/touristType">touristType</a>. The <a href="http://www2.unwto.org/">UNWTO</a> defines tourism trip as the Trip taken by visitors. + (See examples below.) + TouristTrip + + + + + A toy store. + + ToyStore + + + + An agent tracks an object for updates.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/FollowAction">FollowAction</a>: Unlike FollowAction, TrackAction refers to the interest on the location of innanimates objects.</li> +<li><a class="localLink" href="/SubscribeAction">SubscribeAction</a>: Unlike SubscribeAction, TrackAction refers to the interest on the location of innanimate objects.</li> +</ul> + + TrackAction + + + + + TradeAction + The act of participating in an exchange of goods and services for monetary compensation. An agent trades an object, product or service with a participant in exchange for a one time or periodic payment. + + + + + A reservation for train travel.<br/><br/> + +Note: This type is for information about actual reservations, e.g. in confirmation emails or HTML pages with individual confirmations of reservations. For offers of tickets, use <a class="localLink" href="/Offer">Offer</a>. + + TrainReservation + + + + + A train station. + TrainStation + + + + + A trip on a commercial train line. + TrainTrip + + + + TransferAction + + The act of transferring/moving (abstract or concrete) animate or inanimate objects from one place to another. + + + + The act of traveling from a fromLocation to a destination by a specified mode of transport, optionally with participants. + + TravelAction + + + + TravelAgency + + A travel agency. + + + + TreatmentIndication + + An indication for treating an underlying condition, symptom, etc. + + + + + A trip or journey. An itinerary of visits to one or more places. + Trip + + + + A structured value indicating the quantity, unit of measurement, and business function of goods included in a bundle offer. + + TypeAndQuantityNode + + + + UKNonprofitType + + UKNonprofitType: Non-profit organization type originating from the United Kingdom. + + + + Data type: URL. + + URL + + + + USNonprofitType + + USNonprofitType: Non-profit organization type originating from the United States. + + + + The act of un-registering from a service.<br/><br/> + +Related actions:<br/><br/> + +<ul> +<li><a class="localLink" href="/RegisterAction">RegisterAction</a>: antonym of UnRegisterAction.</li> +<li><a class="localLink" href="/LeaveAction">LeaveAction</a>: Unlike LeaveAction, UnRegisterAction implies that you are unregistering from a service you were previously registered, rather than leaving a team/group of people.</li> +</ul> + + UnRegisterAction + + + + + The price asked for a given offer by the respective organization or person. + UnitPriceSpecification + + + + + The act of managing by changing/editing the state of the object. + + UpdateAction + + + + UseAction + The act of applying an object to its intended purpose. + + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + UserBlocks + + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + UserCheckins + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + UserComments + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + UserDownloads + + + + UserInteraction + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + UserLikes + + + + + UserPageVisits + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + + + + UserPlays + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + + + + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + UserPlusOnes + + + + + UserReview + A review created by an end-user (e.g. consumer, purchaser, attendee etc.), in contrast with <a class="localLink" href="/CriticReview">CriticReview</a>. + + + + UserTweets + UserInteraction and its subtypes is an old way of talking about users interacting with pages. It is generally better to use <a class="localLink" href="/Action">Action</a>-based vocabulary, alongside types such as <a class="localLink" href="/Comment">Comment</a>. + + + + + A kind of lodging business that focuses on renting single properties for limited time. + + VacationRental + + + + + A vehicle is a device that is designed or used to transport people or cargo over land, water, air, or through space. + Vehicle + + + + A type of blood vessel that specifically carries blood to the heart. + Vein + + + + + + Vessel + A component of the human body circulatory system comprised of an intricate network of hollow tubes that transport blood throughout the entire body. + + + + A vet's office. + + VeterinaryCare + + + + VideoGallery + + Web page type: Video gallery page. + + + + VideoGame + A video game is an electronic game that involves human interaction with a user interface to generate visual feedback on a video device. + + + + + + VideoGameClip + A short segment/part of a video game. + + + + + A video game series. + + VideoGameSeries + + + + + A video file. + VideoObject + + + + + VideoObjectSnapshot + A specific and exact (byte-for-byte) version of a <a class="localLink" href="/VideoObject">VideoObject</a>. Two byte-for-byte identical files, for the purposes of this type, considered identical. If they have different embedded metadata the files will differ. Different external facts about the files, e.g. creator or dateCreated that aren't represented in their actual content, do not affect this notion of identity. + + + + + The act of consuming static visual content. + ViewAction + + + + + An online or virtual location for attending events. For example, one may attend an online seminar or educational event. While a virtual location may be used as the location of an event, virtual locations should not be confused with physical locations in the real world. + VirtualLocation + + + + Event type: Visual arts event. + + VisualArtsEvent + + + + + VisualArtwork + A work of art that is primarily visual in character. + + + + VitalSign + + Vital signs are measures of various physiological functions in order to assess the most basic body functions. + + + + Volcano + A volcano, like Fujisan. + + + + + + The act of expressing a preference from a fixed/finite/structured set of choices/options. + VoteAction + + + + An advertising section of the page. + WPAdBlock + + + + + + WPFooter + The footer section of the page. + + + + WPHeader + + The header section of the page. + + + + A sidebar section of the page. + WPSideBar + + + + + WantAction + The act of expressing a desire about the object. An agent wants an object. + + + + + + A structured value representing the duration and scope of services that will be provided to a customer free of charge in case of a defect or malfunction of a product. + WarrantyPromise + + + + A range of services that will be provided to a customer free of charge in case of a defect or malfunction of a product.<br/><br/> + +Commonly used values:<br/><br/> + +<ul> +<li>http://purl.org/goodrelations/v1#Labor-BringIn</li> +<li>http://purl.org/goodrelations/v1#PartsAndLabor-BringIn</li> +<li>http://purl.org/goodrelations/v1#PartsAndLabor-PickUp</li> +</ul> + + WarrantyScope + + + + + The act of consuming dynamic/moving visual content. + + WatchAction + + + + Waterfall + A waterfall, like Niagara. + + + + + The act of dressing oneself in clothing. + WearAction + + + + + Enumerates common types of measurement for wearables products. + + WearableMeasurementTypeEnumeration + + + + + WearableSizeGroupEnumeration + Enumerates common size groups (also known as "size types") for wearable products. + + + + Enumerates common size systems specific for wearable products. + WearableSizeSystemEnumeration + + + + + WebAPI + + An application programming interface accessible over Web/Internet technologies. + + + + Web applications. + WebApplication + + + + + WebContent is a type representing all <a class="localLink" href="/WebPage">WebPage</a>, <a class="localLink" href="/WebSite">WebSite</a> and <a class="localLink" href="/WebPageElement">WebPageElement</a> content. It is sometimes the case that detailed distinctions between Web pages, sites and their parts are not always important or obvious. The <a class="localLink" href="/WebContent">WebContent</a> type makes it easier to describe Web-addressable content without requiring such distinctions to always be stated. (The intent is that the existing types <a class="localLink" href="/WebPage">WebPage</a>, <a class="localLink" href="/WebSite">WebSite</a> and <a class="localLink" href="/WebPageElement">WebPageElement</a> will eventually be declared as subtypes of <a class="localLink" href="/WebContent">WebContent</a>.) + WebContent + + + + + A web page. Every web page is implicitly assumed to be declared to be of type WebPage, so the various properties about that webpage, such as <code>breadcrumb</code> may be used. We recommend explicit declaration if these properties are specified, but if they are found outside of an itemscope, they will be assumed to be about the page. + WebPage + + + + + A web page element, like a table or an image. + WebPageElement + + + + + A WebSite is a set of related web pages and other items typically served from a single web domain and accessible via URLs. + WebSite + + + + + A wholesale store. + + WholesaleStore + + + + WinAction + The act of achieving victory in a competitive activity. + + + + + Winery + + A winery. + + + + WorkBasedProgram + + A program with both an educational and employment component. Typically based at a workplace and structured around work-based learning, with the aim of instilling competencies related to an occupation. WorkBasedProgram is used to distinguish programs such as apprenticeships from school, college or other classroom based educational programs. + + + + + A Workers Union (also known as a Labor Union, Labour Union, or Trade Union) is an organization that promotes the interests of its worker members by collectively bargaining with management, organizing, and political lobbying. + WorkersUnion + + + + WriteAction + + The act of authoring written creative content. + + + + + XPathType + Text representing an XPath (typically but not necessarily version 1.0). + + + + A zoo. + Zoo + + + + + + + about + The subject matter of the content. + + + + + + + + + + + + + + + + + + + + + + + + Indicates whether the book is an abridged edition. + abridged + + + + + + + + + + + + + + + + + + abstract + An abstract is a short description that summarizes a <a class="localLink" href="/CreativeWork">CreativeWork</a>. + + + + + + + + + + + + + + + + + + + + The time needed to accelerate the vehicle from a given start velocity to a given target velocity.<br/><br/> + +Typical unit code(s): SEC for seconds<br/><br/> + +<ul> +<li>Note: There are unfortunately no standard unit codes for seconds/0..100 km/h or seconds/0..60 mph. Simply use "SEC" for seconds and indicate the velocities in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a>, or use <a class="localLink" href="/valueReference">valueReference</a> with a <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> of 0..60 mph or 0..100 km/h to specify the reference speeds.</li> +</ul> + + accelerationTime + + + + + + + + + + + + + + + + + + + + + The answer(s) that has been accepted as best, typically on a Question/Answer site. Sites vary in their selection mechanisms, e.g. drawing on community opinion and/or the view of the Question author. + + acceptedAnswer + + + + + + + + + + + + + + + + + + + + + + The offer(s) -- e.g., product, quantity and price combinations -- included in the order. + acceptedOffer + + + + + + + + + + + + + + + + + + + + + The payment method(s) that are accepted in general by an organization, or for some specific demand or offer. + acceptedPaymentMethod + + + + + + + + + + + + + + + + + + + + + + + + acceptsReservations + Indicates whether a FoodEstablishment accepts reservations. Values can be Boolean, an URL at which reservations can be made or (for backwards compatibility) the strings <code>Yes</code> or <code>No</code>. + + + + + + + + + + + + + + + + + + + + + accessCode + Password, PIN, or access code needed for delivery (e.g. from a locker). + + + + + + + + + + + + + + + + + + + + accessMode + The human sensory perceptual system or cognitive faculty through which a person may process or perceive information. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessMode-vocabulary">approved vocabulary</a>. + + + + + + + + + + + + + + + + + + + + A list of single or combined accessModes that are sufficient to understand all the intellectual content of a resource. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessModeSufficient-vocabulary">approved vocabulary</a>. + accessModeSufficient + + + + + + + + + + + + + + + + + + + + + Indicates that the resource is compatible with the referenced accessibility API. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessibilityAPI-vocabulary">approved vocabulary</a>. + accessibilityAPI + + + + + + + + + + + + + + + + + + + + accessibilityControl + Identifies input methods that are sufficient to fully control the described resource. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessibilityControl-vocabulary">approved vocabulary</a>. + + + + + + + + + + + + + + + + + + + + accessibilityFeature + Content features of the resource, such as accessible media, alternatives and supported enhancements for accessibility. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessibilityFeature-vocabulary">approved vocabulary</a>. + + + + + + + + + + + + + + + + + + + + accessibilityHazard + A characteristic of the described resource that is physiologically dangerous to some users. Related to WCAG 2.0 guideline 2.3. Values should be drawn from the <a href="https://www.w3.org/2021/a11y-discov-vocab/latest/#accessibilityHazard-vocabulary">approved vocabulary</a>. + + + + + + + + + + + + + + + + + + + + accessibilitySummary + A human-readable summary of specific accessibility features or deficiencies, consistent with the other accessibility metadata but expressing subtleties such as "short descriptions are present but long descriptions will be needed for non-visual users" or "short descriptions are present and no long descriptions are needed". + + + + + + + + + + + + + + + + + + + + Category of an <a class="localLink" href="/Accommodation">Accommodation</a>, following real estate conventions, e.g. RESO (see <a href="https://ddwiki.reso.org/display/DDW17/PropertySubType+Field">PropertySubType</a>, and <a href="https://ddwiki.reso.org/display/DDW17/PropertyType+Field">PropertyType</a> fields for suggested values). + accommodationCategory + + + + + + + + + + + + + + + + + + + + + accommodationFloorPlan + A floorplan of some <a class="localLink" href="/Accommodation">Accommodation</a>. + + + + + + + + + + + + + + + + + + + + + + The identifier for the account the payment will be applied to. + + accountId + + + + + + + + + + + + + + + + + + + + accountMinimumInflow + A minimum amount that has to be paid in every month. + + + + + + + + + + + + + + + + + + + + + accountOverdraftLimit + An overdraft is an extension of credit from a lending institution when an account reaches zero. An overdraft allows the individual to continue withdrawing money even if the account has no funds in it. Basically the bank allows people to borrow a set amount of money. + + + + + + + + + + + + + + + + + + + + + accountablePerson + Specifies the Person that is legally accountable for the CreativeWork. + + + + + + + + + + + + + + + + + + + + + Indicates a page documenting how licenses can be purchased or otherwise acquired, for the current item. + + acquireLicensePage + + + + + + + + + + + + + + + + + + + + + The organization or person from which the product was acquired. + acquiredFrom + + + + + + + + + + + + + + + + + + + + + + The ACRISS Car Classification Code is a code used by many car rental companies, for classifying vehicles. ACRISS stands for Association of Car Rental Industry Systems and Standards. + acrissCode + + + + + + + + + + + + + + + + + + + + + A set of requirements that must be fulfilled in order to perform an Action. If more than one value is specified, fulfilling one set of requirements will allow the Action to be performed. + actionAccessibilityRequirement + + + + + + + + + + + + + + + + + + + + + An application that can complete the request. + actionApplication + + + + + + + + + + + + + + + + + + + + + + actionOption + A sub property of object. The options subject to this action. + + + + + + + + + + + + + + + + + + + + + The high level platform(s) where the Action can be performed for the given URL. To specify a specific application or operating system instance, use actionApplication. + actionPlatform + + + + + + + + + + + + + + + + + + + + + Description of the process by which the action was performed. + actionProcess + + + + + + + + + + + + + + + + + + + + + Indicates the current disposition of the Action. + actionStatus + + + + + + + + + + + + + + + + + + + + + For a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a> or other news-related <a class="localLink" href="/Organization">Organization</a>, a statement about public engagement activities (for news media, the newsroom’s), including involving the public - digitally or otherwise -- in coverage decisions, reporting and activities after publication. + actionableFeedbackPolicy + + + + + + + + + + + + + + + + + + + + + + + An active ingredient, typically chemical compounds and/or biologic substances. + activeIngredient + + + + + + + + + + + + + + + + + + + + + + + activityDuration + Length of time to engage in the activity. + + + + + + + + + + + + + + + + + + + + + + How often one should engage in the activity. + activityFrequency + + + + + + + + + + + + + + + + + + + + + An actor (individual or a group), e.g. in TV, radio, movie, video games etc., or in an event. Actors can be associated with individual items or with a series, episode, clip. + actor + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An actor, e.g. in TV, radio, movie, video games etc. Actors can be associated with individual items or with a series, episode, clip. + actors + + + + + + + + + + + + + + + + + + + + + + + + + + + + + addOn + An additional offer that can only be obtained in combination with the first base offer (e.g. supplements and extensions that are available for a surcharge). + + + + + + + + + + + + + + + + + + + + + + An additional name for a Person, can be used for a middle name. + additionalName + + + + + + + + + + + + + + + + + + + + additionalNumberOfGuests + If responding yes, the number of guests who will attend in addition to the invitee. + + + + + + + + + + + + + + + + + + A property-value pair representing an additional characteristic of the entity, e.g. a product feature or another characteristic for which there is no matching property in schema.org.<br/><br/> + +Note: Publishers should be aware that applications designed to use specific schema.org properties (e.g. https://schema.org/width, https://schema.org/color, https://schema.org/gtin13, ...) will typically expect such data to be provided using those properties, rather than using the generic property/value mechanism. + additionalProperty + + + + + + + + + + + + + + + + + + + + + + + + + + additionalType + An additional type for the item, typically used for adding more specific types from external vocabularies in microdata syntax. This is a relationship between something and a class that the thing is in. Typically the value is a URI-identified RDF class, and in this case corresponds to the + use of rdf:type in RDF. Text values can be used sparingly, for cases where useful information can be added without their being an appropriate schema to reference. In the case of text values, the class label should follow the schema.org <a href="https://schema.org/docs/styleguide.html">style guide</a>. + + + + + + + + + + + + + + + + + + + + + additionalVariable + Any additional component of the exercise prescription that may need to be articulated to the patient. This may include the order of exercises, the number of repetitions of movement, quantitative distance, progressions over time, etc. + + + + + + + + + + + + + + + + + + + + address + Physical address of the item. + + + + + + + + + + + + + + + + + + + + + + + + + The country. Recommended to be in 2-letter <a href="http://en.wikipedia.org/wiki/ISO_3166-1">ISO 3166-1 alpha-2</a> format, for example "US". For backward compatibility, a 3-letter <a href="https://en.wikipedia.org/wiki/ISO_3166-1_alpha-3">ISO 3166-1 alpha-3</a> country code such as "SGP" or a full country name such as "Singapore" can also be used. + addressCountry + + + + + + + + + + + + + + + + + + + + + + + + addressLocality + The locality in which the street address is, and which is in the region. For example, Mountain View. + + + + + + + + + + + + + + + + + + + + The region in which the locality is, and which is in the country. For example, California or another appropriate first-level <a href="https://en.wikipedia.org/wiki/List_of_administrative_divisions_by_country">Administrative division</a>. + addressRegion + + + + + + + + + + + + + + + + + + + + + administrationRoute + A route by which this drug may be administered, e.g. 'oral'. + + + + + + + + + + + + + + + + + + + + The amount of time that is required between accepting the offer and the actual usage of the resource or service. + advanceBookingRequirement + + + + + + + + + + + + + + + + + + + + + + A possible complication and/or side effect of this therapy. If it is known that an adverse outcome is serious (resulting in death, disability, or permanent damage; requiring hospitalization; or otherwise life-threatening or requiring immediate medical attention), tag it as a seriousAdverseOutcome instead. + adverseOutcome + + + + + + + + + + + + + + + + + + + + + + Drugs that affect the test's results. + affectedBy + + + + + + + + + + + + + + + + + + + + + An organization that this person is affiliated with. For example, a school/university, a club, or a team. + + affiliation + + + + + + + + + + + + + + + + + + + + + A media object representing the circumstances after performing this direction. + afterMedia + + + + + + + + + + + + + + + + + + + + + The direct performer or driver of the action (animate or inanimate). E.g. <em>John</em> wrote a book. + agent + + + + + + + + + + + + + + + + + + + + + + agentInteractionStatistic + The number of completed interactions for this entity, in a particular role (the 'agent'), in a particular action (indicated in the statistic), and in a particular context (i.e. interactionService). + + + + + + + + + + + + + + + + + + + + + + aggregateElement + Indicates a prototype of the elements in the list that is used to hold aggregate information (ratings, offers, etc.). + + + + + + + + + + + + + + + + + + + + + The overall rating, based on a collection of reviews or ratings, of the item. + aggregateRating + + + + + + + + + + + + + + + + + + + + + + + + + + + + aircraft + The kind of aircraft (e.g., "Boeing 747"). + + + + + + + + + + + + + + + + + + + + + A music album. + album + + + + + + + + + + + + + + + + + + + + + albumProductionType + Classification of the album by its type of content: soundtrack, live album, studio album, etc. + + + + + + + + + + + + + + + + + + + + + albumRelease + + A release of this album. + + + + + + + + + + + + + + + + + + + + + The kind of release which this album is: single, EP or album. + albumReleaseType + + + + + + + + + + + + + + + + + + + + + albums + A collection of music albums. + + + + + + + + + + + + + + + + + + + + + + Any precaution, guidance, contraindication, etc. related to consumption of alcohol while taking this drug. + alcoholWarning + + + + + + + + + + + + + + + + + + + + algorithm + The algorithm or rules to follow to compute the score. + + + + + + + + + + + + + + + + + + + + alignmentType + A category of alignment between the learning resource and the framework node. Recommended values include: 'requires', 'textComplexity', 'readingLevel', and 'educationalSubject'. + + + + + + + + + + + + + + + + + + + + An alias for the item. + alternateName + + + + + + + + + + + + + + + + + + + + A secondary title of the CreativeWork. + alternativeHeadline + + + + + + + + + + + + + + + + + + + + alternativeOf + Another gene which is a variation of this one. + + + + + + + + + + + + + + + + + + + + + alumni + Alumni of an organization. + + + + + + + + + + + + + + + + + + + + + + + An organization that the person is an alumni of. + alumniOf + + + + + + + + + + + + + + + + + + + + + + + An amenity feature (e.g. a characteristic or service) of the Accommodation. This generic property does not make a statement about whether the feature is included in an offer for the main accommodation or available at extra costs. + amenityFeature + + + + + + + + + + + + + + + + + + + + + + + + amount + The amount of money. + + + + + + + + + + + + + + + + + + + + + + + + + + amountOfThisGood + The quantity of the goods included in the offer. + + + + + + + + + + + + + + + + + + Indicates a specific <a class="localLink" href="/CivicStructure">CivicStructure</a> or <a class="localLink" href="/LocalBusiness">LocalBusiness</a> associated with the SpecialAnnouncement. For example, a specific testing facility or business with special opening hours. For a larger geographic region like a quarantine of an entire region, use <a class="localLink" href="/spatialCoverage">spatialCoverage</a>. + announcementLocation + + + + + + + + + + + + + + + + + + + + + + + The annual rate that is charged for borrowing (or made by investing), expressed as a single percentage number that represents the actual yearly cost of funds over the term of a loan. This includes any fees or additional costs associated with the transaction. + annualPercentageRate + + + + + + + + + + + + + + + + + + + + + + The number of answers this question has received. + answerCount + + + + + + + + + + + + + + + + + + A step-by-step or full explanation about Answer. Can outline how this Answer was achieved or contain more broad clarification or statement about it. + answerExplanation + + + + + + + + + + + + + + + + + + + + + + antagonist + The muscle whose action counteracts the specified muscle. + + + + + + + + + + + + + + + + + + + + + Indicates an occurrence of a <a class="localLink" href="/Claim">Claim</a> in some <a class="localLink" href="/CreativeWork">CreativeWork</a>. + appearance + + + + + + + + + + + + + + + + + + + + + + A country where a particular merchant return policy applies to, for example the two-letter ISO 3166-1 alpha-2 country code. + applicableCountry + + + + + + + + + + + + + + + + + + + + + applicableLocation + The location in which the status applies. + + + + + + + + + + + + + + + + + + + + + + applicantLocationRequirements + The location(s) applicants can apply from. This is usually used for telecommuting jobs where the applicant does not need to be in a physical office. Note: This should not be used for citizenship or work visa requirements. + + + + + + + + + + + + + + + + + + + + + + An application that can complete the request. + application + + + + + + + + + + + + + + + + + + + + + Type of software application, e.g. 'Game, Multimedia'. + applicationCategory + + + + + + + + + + + + + + + + + + + + applicationContact + Contact details for further information relevant to this job posting. + + + + + + + + + + + + + + + + + + + + + applicationDeadline + The date on which the program stops collecting applications for the next enrollment cycle. Flexible application deadlines (for example, a program with rolling admissions) can be described in a textual string, rather than as a DateTime. + + + + + + + + + + + + + + + + + + + + + The date at which the program begins collecting applications for the next enrollment cycle. + applicationStartDate + + + + + + + + + + + + + + + + + + applicationSubCategory + Subcategory of the application, e.g. 'Arcade Game'. + + + + + + + + + + + + + + + + + + + + applicationSuite + The name of the application suite to which the application belongs (e.g. Excel belongs to Office). + + + + + + + + + + + + + + + + + + + + The delivery method(s) to which the delivery charge or payment charge specification applies. + appliesToDeliveryMethod + + + + + + + + + + + + + + + + + + + + + + The payment method(s) to which the payment charge specification applies. + appliesToPaymentMethod + + + + + + + + + + + + + + + + + + + + + + archiveHeld + Collection, <a href="https://en.wikipedia.org/wiki/Fonds">fonds</a>, or item held, kept or maintained by an <a class="localLink" href="/ArchiveOrganization">ArchiveOrganization</a>. + + + + + + + + + + + + + + + + + + + + + archivedAt + Indicates a page or other link involved in archival of a <a class="localLink" href="/CreativeWork">CreativeWork</a>. In the case of <a class="localLink" href="/MediaReview">MediaReview</a>, the items in a <a class="localLink" href="/MediaReviewItem">MediaReviewItem</a> may often become inaccessible, but be archived by archival, journalistic, activist, or law enforcement organizations. In such cases, the referenced page may not directly publish the content. + + + + + + + + + + + + + + + + + + + + + + The area within which users can expect to reach the broadcast service. + area + + + + + + + + + + + + + + + + + + + + + areaServed + The geographic area where a service or offered item is provided. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + arrivalAirport + The airport where the flight terminates. + + + + + + + + + + + + + + + + + + + + + arrivalBoatTerminal + The terminal or port from which the boat arrives. + + + + + + + + + + + + + + + + + + + + + The stop or station from which the bus arrives. + arrivalBusStop + + + + + + + + + + + + + + + + + + + + + + Identifier of the flight's arrival gate. + arrivalGate + + + + + + + + + + + + + + + + + + + + arrivalPlatform + The platform where the train arrives. + + + + + + + + + + + + + + + + + + + + arrivalStation + The station where the train trip ends. + + + + + + + + + + + + + + + + + + + + + Identifier of the flight's arrival terminal. + arrivalTerminal + + + + + + + + + + + + + + + + + + + + arrivalTime + The expected arrival time. + + + + + + + + + + + + + + + + + + + The number of copies when multiple copies of a piece of artwork are produced - e.g. for a limited edition of 20 prints, 'artEdition' refers to the total number of copies (in this example "20"). + artEdition + + + + + + + + + + + + + + + + + + + + + The material used. (E.g. Oil, Watercolour, Acrylic, Linoprint, Marble, Cyanotype, Digital, Lithograph, DryPoint, Intaglio, Pastel, Woodcut, Pencil, Mixed Media, etc.) + + artMedium + + + + + + + + + + + + + + + + + + + + The branches that comprise the arterial structure. + arterialBranch + + + + + + + + + + + + + + + + + + + + + artform + e.g. Painting, Drawing, Sculpture, Print, Photograph, Assemblage, Collage, etc. + + + + + + + + + + + + + + + + + + + + articleBody + The actual body of the article. + + + + + + + + + + + + + + + + + + + + Articles may belong to one or more 'sections' in a magazine or newspaper, such as Sports, Lifestyle, etc. + articleSection + + + + + + + + + + + + + + + + + + + + The primary artist for a work + in a medium other than pencils or digital line art--for example, if the + primary artwork is done in watercolors or digital paints. + artist + + + + + + + + + + + + + + + + + + + + + + + artworkSurface + The supporting materials for the artwork, e.g. Canvas, Paper, Wood, Board, etc. + + + + + + + + + + + + + + + + + + + + + asin + An Amazon Standard Identification Number (ASIN) is a 10-character alphanumeric unique identifier assigned by Amazon.com and its partners for product identification within the Amazon organization (summary from <a href="https://en.wikipedia.org/wiki/Amazon_Standard_Identification_Number">Wikipedia</a>'s article).<br/><br/> + +Note also that this is a definition for how to include ASINs in Schema.org data, and not a definition of ASINs in general - see documentation from Amazon for authoritative details. +ASINs are most commonly encoded as text strings, but the [asin] property supports URL/URI as potential values too. + + + + + + + + + + + + + + + + + + + + + + aspect + + An aspect of medical practice that is considered on the page, such as 'diagnosis', 'treatment', 'causes', 'prognosis', 'etiology', 'epidemiology', etc. + + + + + + + + + + + + + + + + + + + + Library file name, e.g., mscorlib.dll, system.web.dll. + + assembly + + + + + + + + + + + + + + + + + + + + assemblyVersion + Associated product/technology version. E.g., .NET Framework 4.5. + + + + + + + + + + + + + + + + + + + + The item being described is intended to assess the competency or learning outcome defined by the referenced term. + assesses + + + + + + + + + + + + + + + + + + + + + + + The anatomy of the underlying organ system or structures associated with this entity. + associatedAnatomy + + + + + + + + + + + + + + + + + + + + + + + + A NewsArticle associated with the Media Object. + associatedArticle + + + + + + + + + + + + + + + + + + + + + An associated <a class="localLink" href="/ClaimReview">ClaimReview</a>, related by specific common content, topic or claim. The expectation is that this property would be most typically used in cases where a single activity is conducting both claim reviews and media reviews, in which case <a class="localLink" href="/relatedMediaReview">relatedMediaReview</a> would commonly be used on a <a class="localLink" href="/ClaimReview">ClaimReview</a>, while <a class="localLink" href="/relatedClaimReview">relatedClaimReview</a> would be used on <a class="localLink" href="/MediaReview">MediaReview</a>. + associatedClaimReview + + + + + + + + + + + + + + + + + + + + + + associatedDisease + Disease associated to this BioChemEntity. Such disease can be a MedicalCondition or a URL. If you want to add an evidence supporting the association, please use PropertyValue. + + + + + + + + + + + + + + + + + + + + + + A media object that encodes this CreativeWork. This property is a synonym for encoding. + associatedMedia + + + + + + + + + + + + + + + + + + + + + + + associatedMediaReview + + An associated <a class="localLink" href="/MediaReview">MediaReview</a>, related by specific common content, topic or claim. The expectation is that this property would be most typically used in cases where a single activity is conducting both claim reviews and media reviews, in which case <a class="localLink" href="/relatedMediaReview">relatedMediaReview</a> would commonly be used on a <a class="localLink" href="/ClaimReview">ClaimReview</a>, while <a class="localLink" href="/relatedClaimReview">relatedClaimReview</a> would be used on <a class="localLink" href="/MediaReview">MediaReview</a>. + + + + + + + + + + + + + + + + + + + + + If applicable, a description of the pathophysiology associated with the anatomical system, including potential abnormal changes in the mechanical, physical, and biochemical functions of the system. + associatedPathophysiology + + + + + + + + + + + + + + + + + + + + + + An associated <a class="localLink" href="/Review">Review</a>. + associatedReview + + + + + + + + + + + + + + + + + + + + + A person that acts as performing member of a sports team; a player as opposed to a coach. + athlete + + + + + + + + + + + + + + + + + + + + + attendee + A person or organization attending the event. + + + + + + + + + + + + + + + + + + + + + + + A person attending the event. + attendees + + + + + + + + + + + + + + + + + + + + + + An intended audience, i.e. a group for whom something was created. + audience + + + + + + + + + + + + + + + + + + + + + + + + + + audienceType + The target group associated with a given audience (e.g. veterans, car owners, musicians, etc.). + + + + + + + + + + + + + + + + + + + + audio + An embedded audio object. + + + + + + + + + + + + + + + + + + + + + + + auditDate + Date when a certification was last audited. See also <a href="https://www.gs1.org/voc/certificationAuditDate">gs1:certificationAuditDate</a>. + + + + + + + + + + + + + + + + + + + authenticator + The Organization responsible for authenticating the user's subscription. For example, many media apps require a cable/satellite provider to authenticate your subscription before playing media. + + + + + + + + + + + + + + + + + + + + + author + The author of this content or rating. Please note that author is special in that HTML 5 provides a special mechanism for indicating authorship via the rel tag. That is equivalent to this and may be used interchangeably. + + + + + + + + + + + + + + + + + + + + + + + The availability of this item&#x2014;for example In stock, Out of stock, Pre-order, etc. + availability + + + + + + + + + + + + + + + + + + + + + + availabilityEnds + The end of the availability of the product or service included in the offer. + + + + + + + + + + + + + + + + + + + + + + availabilityStarts + The beginning of the availability of the product or service included in the offer. + + + + + + + + + + + + + + + + + + + + + + The place(s) from which the offer can be obtained (e.g. store locations). + availableAtOrFrom + + + + + + + + + + + + + + + + + + + + + + + A means of accessing the service (e.g. a phone bank, a web site, a location, etc.). + availableChannel + + + + + + + + + + + + + + + + + + + + + The delivery method(s) available for this offer. + availableDeliveryMethod + + + + + + + + + + + + + + + + + + + + + + availableFrom + When the item is available for pickup from the store, locker, etc. + + + + + + + + + + + + + + + + + + The location in which the strength is available. + availableIn + + + + + + + + + + + + + + + + + + + + + A language someone may use with or at the item, service or place. Please use one of the language codes from the <a href="http://tools.ietf.org/html/bcp47">IETF BCP 47 standard</a>. See also <a class="localLink" href="/inLanguage">inLanguage</a>. + availableLanguage + + + + + + + + + + + + + + + + + + + + + + + + + availableOnDevice + Device required to run the application. Used in cases where a specific make/model is required to run the application. + + + + + + + + + + + + + + + + + + + + availableService + A medical service available from this provider. + + + + + + + + + + + + + + + + + + + + + + + + + availableStrength + An available dosage strength for the drug. + + + + + + + + + + + + + + + + + + + + + A diagnostic test or procedure offered by this lab. + availableTest + + + + + + + + + + + + + + + + + + + + + availableThrough + After this date, the item will no longer be available for pickup. + + + + + + + + + + + + + + + + + + An award won by or for this item. + award + + + + + + + + + + + + + + + + + + + + + + + + + awards + Awards won by or for this item. + + + + + + + + + + + + + + + + + + + + + + + The away team in a sports event. + + awayTeam + + + + + + + + + + + + + + + + + + + + + + For an <a class="localLink" href="/Article">Article</a>, typically a <a class="localLink" href="/NewsArticle">NewsArticle</a>, the backstory property provides a textual summary giving a brief explanation of why and how an article was created. In a journalistic setting this could include information about reporting process, methods, interviews, data sources, etc. + backstory + + + + + + + + + + + + + + + + + + + + + The type of a bank account. + bankAccountType + + + + + + + + + + + + + + + + + + + + The base salary of the job or of an employee in an EmployeeRole. + baseSalary + + + + + + + + + + + + + + + + + + + + + + + + A sub property of recipient. The recipient blind copied on a message. + bccRecipient + + + + + + + + + + + + + + + + + + + + + + + + The type of bed or beds included in the accommodation. For the single case of just one bed of a certain type, you use bed directly with a text. + If you want to indicate the quantity of a certain kind of bed, use an instance of BedDetails. For more detailed information, use the amenityFeature property. + bed + + + + + + + + + + + + + + + + + + + + + + + + A media object representing the circumstances before performing this direction. + beforeMedia + + + + + + + + + + + + + + + + + + + + + beneficiaryBank + A bank or bank’s branch, financial institution or international financial institution operating the beneficiary’s bank account or releasing funds for the beneficiary. + + + + + + + + + + + + + + + + + + + + + benefits + + Description of benefits associated with the job. + + + + + + + + + + + + + + + + + + + + The URL that goes directly to the summary of benefits and coverage for the specific standard plan or plan variation. + benefitsSummaryUrl + + + + + + + + + + + + + + + + + + + + bestRating + The highest value allowed in this rating system. + + + + + + + + + + + + + + + + + + + + + The billing address for the order. + billingAddress + + + + + + + + + + + + + + + + + + + + + billingDuration + Specifies for how long this price (or price component) will be billed. Can be used, for example, to model the contractual duration of a subscription or payment plan. Type can be either a Duration or a Number (in which case the unit of measurement, for example month, is specified by the unitCode property). + + + + + + + + + + + + + + + + + + + + + + + billingIncrement + This property specifies the minimal quantity and rounding increment that will be the basis for the billing. The unit of measurement is specified by the unitCode property. + + + + + + + + + + + + + + + + + + The time interval used to compute the invoice. + billingPeriod + + + + + + + + + + + + + + + + + + + + + Specifies after how much time this price (or price component) becomes valid and billing starts. Can be used, for example, to model a price increase after the first year of a subscription. The unit of measurement is specified by the unitCode property. + billingStart + + + + + + + + + + + + + + + + + + A BioChemEntity that is known to interact with this item. + bioChemInteraction + + + + + + + + + + + + + + + + + + + + + A similar BioChemEntity, e.g., obtained by fingerprint similarity algorithms. + bioChemSimilarity + + + + + + + + + + + + + + + + + + + + + A role played by the BioChemEntity within a biological context. + biologicalRole + + + + + + + + + + + + + + + + + + + + + The biomechanical properties of the bone. + biomechnicalClass + + + + + + + + + + + + + + + + + + + + birthDate + Date of birth. + + + + + + + + + + + + + + + + + + birthPlace + The place where the person was born. + + + + + + + + + + + + + + + + + + + + + The bitrate of the media object. + bitrate + + + + + + + + + + + + + + + + + + + + blogPost + A posting that is part of this blog. + + + + + + + + + + + + + + + + + + + + + + blogPosts + Indicates a post that is part of a <a class="localLink" href="/Blog">Blog</a>. Note that historically, what we term a "Blog" was once known as a "weblog", and that what we term a "BlogPosting" is now often colloquially referred to as a "blog". + + + + + + + + + + + + + + + + + + + + + The blood vessel that carries blood from the heart to the muscle. + bloodSupply + + + + + + + + + + + + + + + + + + + + + The airline-specific indicator of boarding order / preference. + boardingGroup + + + + + + + + + + + + + + + + + + + + The type of boarding policy used by the airline (e.g. zone-based or group-based). + boardingPolicy + + + + + + + + + + + + + + + + + + + + + + bodyLocation + Location in the body of the anatomical structure. + + + + + + + + + + + + + + + + + + + + + bodyType + Indicates the design and body style of the vehicle (e.g. station wagon, hatchback, etc.). + + + + + + + + + + + + + + + + + + + + + The edition of the book. + bookEdition + + + + + + + + + + + + + + + + + + + + The format of the book. + bookFormat + + + + + + + + + + + + + + + + + + + + + 'bookingAgent' is an out-dated term indicating a 'broker' that serves as a booking agent. + bookingAgent + + + + + + + + + + + + + + + + + + + + + + + The date and time the reservation was booked. + bookingTime + + + + + + + + + + + + + + + + + + A sub property of participant. The person that borrows the object being lent. + + borrower + + + + + + + + + + + + + + + + + + + + + A box is the area enclosed by the rectangle formed by two points. The first point is the lower corner, the second point is the upper corner. A box is expressed as two points separated by a space character. + box + + + + + + + + + + + + + + + + + + + + The branches that delineate from the nerve bundle. Not to be confused with <a class="localLink" href="/branchOf">branchOf</a>. + branch + + + + + + + + + + + + + + + + + + + + + + branchCode + A short textual code (also called "store code") that uniquely identifies a place of business. The code is typically assigned by the parentOrganization and used in structured URLs.<br/><br/> + +For example, in the URL http://www.starbucks.co.uk/store-locator/etc/detail/3047 the code "3047" is a branchCode for a particular branch. + + + + + + + + + + + + + + + + + + + + branchOf + + The larger organization that this local business is a branch of, if any. Not to be confused with (anatomical) <a class="localLink" href="/branch">branch</a>. + + + + + + + + + + + + + + + + + + + + + brand + The brand(s) associated with a product or service, or the brand(s) maintained by an organization or business person. + + + + + + + + + + + + + + + + + + + + + + + + + breadcrumb + A set of links that can help a user understand and navigate a website hierarchy. + + + + + + + + + + + + + + + + + + + + + breastfeedingWarning + Any precaution, guidance, contraindication, etc. related to this drug's use by breastfeeding mothers. + + + + + + + + + + + + + + + + + + + + broadcastAffiliateOf + The media network(s) whose content is broadcast on this station. + + + + + + + + + + + + + + + + + + + + + The unique address by which the BroadcastService can be identified in a provider lineup. In US, this is typically a number. + broadcastChannelId + + + + + + + + + + + + + + + + + + + + broadcastDisplayName + The name displayed in the channel guide. For many US affiliates, it is the network name. + + + + + + + + + + + + + + + + + + + + broadcastFrequency + The frequency used for over-the-air broadcasts. Numeric values or simple ranges, e.g. 87-99. In addition a shortcut idiom is supported for frequencies of AM and FM radio channels, e.g. "87 FM". + + + + + + + + + + + + + + + + + + + + + + broadcastFrequencyValue + The frequency in MHz for a particular broadcast. + + + + + + + + + + + + + + + + + + + + + + broadcastOfEvent + The event being broadcast such as a sporting event or awards ceremony. + + + + + + + + + + + + + + + + + + + + + The type of service required to have access to the channel (e.g. Standard or Premium). + broadcastServiceTier + + + + + + + + + + + + + + + + + + + + broadcastSignalModulation + The modulation (e.g. FM, AM, etc) used by a particular broadcast service. + + + + + + + + + + + + + + + + + + + + + The subchannel used for the broadcast. + broadcastSubChannel + + + + + + + + + + + + + + + + + + + + broadcastTimezone + The timezone in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 format</a> for which the service bases its broadcasts. + + + + + + + + + + + + + + + + + + + + broadcaster + The organization owning or operating the broadcast service. + + + + + + + + + + + + + + + + + + + + + An entity that arranges for an exchange between a buyer and a seller. In most cases a broker never acquires or releases ownership of a product or service involved in an exchange. If it is not clear whether an entity is a broker, seller, or buyer, the latter two terms are preferred. + broker + + + + + + + + + + + + + + + + + + + + + + + + + browserRequirements + Specifies browser requirements in human-readable text. For example, 'requires HTML5 support'. + + + + + + + + + + + + + + + + + + + + busName + The name of the bus (e.g. Bolt Express). + + + + + + + + + + + + + + + + + + + + The unique identifier for the bus. + busNumber + + + + + + + + + + + + + + + + + + + + businessDays + Days of the week when the merchant typically operates, indicated via opening hours markup. + + + + + + + + + + + + + + + + + + + + + + + The business function (e.g. sell, lease, repair, dispose) of the offer or component of a bundle (TypeAndQuantityNode). The default is http://purl.org/goodrelations/v1#Sell. + businessFunction + + + + + + + + + + + + + + + + + + + + + + + A sub property of participant. The participant/person/organization that bought the object. + buyer + + + + + + + + + + + + + + + + + + + + + + + byArtist + The artist that performed this album or recording. + + + + + + + + + + + + + + + + + + + + + + + Defines the day(s) of the week on which a recurring <a class="localLink" href="/Event">Event</a> takes place. May be specified using either <a class="localLink" href="/DayOfWeek">DayOfWeek</a>, or alternatively <a class="localLink" href="/Text">Text</a> conforming to iCal's syntax for byDay recurrence rules. + byDay + + + + + + + + + + + + + + + + + + + + + byMonth + Defines the month(s) of the year on which a recurring <a class="localLink" href="/Event">Event</a> takes place. Specified as an <a class="localLink" href="/Integer">Integer</a> between 1-12. January is 1. + + + + + + + + + + + + + + + + + + byMonthDay + Defines the day(s) of the month on which a recurring <a class="localLink" href="/Event">Event</a> takes place. Specified as an <a class="localLink" href="/Integer">Integer</a> between 1-31. + + + + + + + + + + + + + + + + + + Defines the week(s) of the month on which a recurring Event takes place. Specified as an Integer between 1-5. For clarity, byMonthWeek is best used in conjunction with byDay to indicate concepts like the first and third Mondays of a month. + byMonthWeek + + + + + + + + + + + + + + + + + + + callSign + A <a href="https://en.wikipedia.org/wiki/Call_sign">callsign</a>, as used in broadcasting and radio communications to identify people, radio and TV stations, or vehicles. + + + + + + + + + + + + + + + + + + + + + + calories + The number of calories. + + + + + + + + + + + + + + + + + + + + + candidate + A sub property of object. The candidate subject of this action. + + + + + + + + + + + + + + + + + + + + + + caption + The caption for this object. For downloadable machine formats (closed caption, subtitles etc.) use MediaObject and indicate the <a class="localLink" href="/encodingFormat">encodingFormat</a>. + + + + + + + + + + + + + + + + + + + + + + + The number of grams of carbohydrates. + carbohydrateContent + + + + + + + + + + + + + + + + + + + + + cargoVolume + The available volume for cargo or luggage. For automobiles, this is usually the trunk volume.<br/><br/> + +Typical unit code(s): LTR for liters, FTQ for cubic foot/feet<br/><br/> + +Note: You can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges. + + + + + + + + + + + + + + + + + + + + + + carrier + 'carrier' is an out-dated term indicating the 'provider' for parcel delivery and flights. + + + + + + + + + + + + + + + + + + + + + + carrierRequirements + Specifies specific carrier(s) requirements for the application (e.g. an application may only work on a specific carrier network). + + + + + + + + + + + + + + + + + + + + cashBack + A cardholder benefit that pays the cardholder a small percentage of their net expenditures. + + + + + + + + + + + + + + + + + + + + catalog + A data catalog which contains this dataset. + + + + + + + + + + + + + + + + + + + + + catalogNumber + The catalog number for the release. + + + + + + + + + + + + + + + + + + + + A category for the item. Greater signs or slashes can be used to informally indicate a category hierarchy. + category + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + causeOf + The condition, complication, symptom, sign, etc. caused. + + + + + + + + + + + + + + + + + + + + + A sub property of recipient. The recipient copied on a message. + ccRecipient + + + + + + + + + + + + + + + + + + + + + + + + Identifier of a certification instance (as registered with an independent certification body). Typically this identifier can be used to consult and verify the certification instance. See also <a href="https://www.gs1.org/voc/certificationIdentification">gs1:certificationIdentification</a>. + certificationIdentification + + + + + + + + + + + + + + + + + + + + + certificationRating + Rating of a certification instance (as defined by an independent certification body). Typically this rating can be used to rate the level to which the requirements of the certification instance are fulfilled. See also <a href="https://www.gs1.org/voc/certificationValue">gs1:certificationValue</a>. + + + + + + + + + + + + + + + + + + + + + Indicates the current status of a certification: active or inactive. See also <a href="https://www.gs1.org/voc/certificationStatus">gs1:certificationStatus</a>. + certificationStatus + + + + + + + + + + + + + + + + + + + + + character + Fictional person connected with a creative work. + + + + + + + + + + + + + + + + + + + + + A piece of data that represents a particular aspect of a fictional character (skill, power, character points, advantage, disadvantage). + characterAttribute + + + + + + + + + + + + + + + + + + + + + + characterName + The name of a character played in some acting or performing role, i.e. in a PerformanceRole. + + + + + + + + + + + + + + + + + + + + Cheat codes to the game. + cheatCode + + + + + + + + + + + + + + + + + + + + + + checkinTime + The earliest someone may check into a lodging establishment. + + + + + + + + + + + + + + + + + + + + A URL template (RFC 6570) for a checkout page for an offer. This approach allows merchants to specify a URL for online checkout of the offered product, by interpolating parameters such as the logged in user ID, product ID, quantity, discount code etc. Parameter naming and standardization are not specified here. + checkoutPageURLTemplate + + + + + + + + + + + + + + + + + + + + The latest someone may check out of a lodging establishment. + checkoutTime + + + + + + + + + + + + + + + + + + + + chemicalComposition + The chemical composition describes the identity and relative ratio of the chemical elements that make up the substance. + + + + + + + + + + + + + + + + + + + + chemicalRole + A role played by the BioChemEntity within a chemical context. + + + + + + + + + + + + + + + + + + + + + + childMaxAge + Maximal age of the child. + + + + + + + + + + + + + + + + + + Minimal age of the child. + childMinAge + + + + + + + + + + + + + + + + + + childTaxon + + Closest child taxa of the taxon in question. + + + + + + + + + + + + + + + + + + + + + children + A child of the person. + + + + + + + + + + + + + + + + + + + + + cholesterolContent + The number of milligrams of cholesterol. + + + + + + + + + + + + + + + + + + + + + circle + A circle is the circular region of a specified radius centered at a specified latitude and longitude. A circle is expressed as a pair followed by a radius in meters. + + + + + + + + + + + + + + + + + + + + citation + A citation or reference to another creative work, such as another publication, web page, scholarly article, etc. + + + + + + + + + + + + + + + + + + + + + For a <a class="localLink" href="/Claim">Claim</a> interpreted from <a class="localLink" href="/MediaObject">MediaObject</a> content, the <a class="localLink" href="/interpretedAsClaim">interpretedAsClaim</a> property can be used to indicate a claim contained, implied or refined from the content of a <a class="localLink" href="/MediaObject">MediaObject</a>. + claimInterpreter + + + + + + + + + + + + + + + + + + + + + + A short summary of the specific claims reviewed in a ClaimReview. + claimReviewed + + + + + + + + + + + + + + + + + + + + Description of the absorption and elimination of drugs, including their concentration (pharmacokinetics, pK) and biological effects (pharmacodynamics, pD). + clincalPharmacology + + + + + + + + + + + + + + + + + + + + + clinicalPharmacology + Description of the absorption and elimination of drugs, including their concentration (pharmacokinetics, pK) and biological effects (pharmacodynamics, pD). + + + + + + + + + + + + + + + + + + + + + clipNumber + Position of the clip within an ordered group of clips. + + + + + + + + + + + + + + + + + + + + + closes + The closing hour of the place or service on the given day(s) of the week. + + + + + + + + + + + + + + + + + + A person that acts in a coaching role for a sports team. + coach + + + + + + + + + + + + + + + + + + + + + A medical code for the entity, taken from a controlled vocabulary or ontology such as ICD-9, DiseasesDB, MeSH, SNOMED-CT, RxNorm, etc. + code + + + + + + + + + + + + + + + + + + + + + codeRepository + Link to the repository where the un-compiled, human readable code and related code is located (SVN, GitHub, CodePlex). + + + + + + + + + + + + + + + + + + + + What type of code sample: full (compile ready) solution, code snippet, inline code, scripts, template. + codeSampleType + + + + + + + + + + + + + + + + + + + + A short textual code that uniquely identifies the value. + codeValue + + + + + + + + + + + + + + + + + + + + + + codingSystem + The coding system, e.g. 'ICD-10'. + + + + + + + + + + + + + + + + + + + + A colleague of the person. + colleague + + + + + + + + + + + + + + + + + + + + + A colleague of the person. + colleagues + + + + + + + + + + + + + + + + + + + + + + A sub property of object. The collection target of the action. + collection + + + + + + + + + + + + + + + + + + + + + + + The number of items in the <a class="localLink" href="/Collection">Collection</a>. + collectionSize + + + + + + + + + + + + + + + + + + color + The color of the product. + + + + + + + + + + + + + + + + + + + + colorSwatch + A color swatch image, visualizing the color of a <a class="localLink" href="/Product">Product</a>. Should match the textual description specified in the <a class="localLink" href="/color">color</a> property. This can be a URL or a fully described ImageObject. + + + + + + + + + + + + + + + + + + + + + + The individual who adds color to inked drawings. + colorist + + + + + + + + + + + + + + + + + + + + + + + comment + Comments, typically from users. + + + + + + + + + + + + + + + + + + + + + + commentCount + The number of comments this CreativeWork (e.g. Article, Question or Answer) has received. This is most applicable to works published in Web sites with commenting system; additional comments may exist elsewhere. + + + + + + + + + + + + + + + + + + The text of the UserComment. + commentText + + + + + + + + + + + + + + + + + + + + commentTime + The time at which the UserComment was made. + + + + + + + + + + + + + + + + + + + companyRegistration + The official registration number of a business including the organization that issued it such as Company House or Chamber of Commerce. + + + + + + + + + + + + + + + + + + + + + Knowledge, skill, ability or personal attribute that must be demonstrated by a person or other entity in order to do something such as earn an Educational Occupational Credential or understand a LearningResource. + competencyRequired + + + + + + + + + + + + + + + + + + + + + + A competitor in a sports event. + competitor + + + + + + + + + + + + + + + + + + + + + + composer + The person or organization who wrote a composition, or who is the composer of a work performed at some event. + + + + + + + + + + + + + + + + + + + + + + + Specifying something physically contained by something else. Typically used here for the underlying anatomical structures, such as organs, that comprise the anatomical system. + comprisedOf + + + + + + + + + + + + + + + + + + + + + + Conditions that affect the availability of, or method(s) of access to, an item. Typically used for real world items such as an <a class="localLink" href="/ArchiveComponent">ArchiveComponent</a> held by an <a class="localLink" href="/ArchiveOrganization">ArchiveOrganization</a>. This property is not suitable for use as a general Web access control mechanism. It is expressed only in natural language.<br/><br/> + +For example "Available by appointment from the Reading Room" or "Accessible only from logged-in accounts ". + conditionsOfAccess + + + + + + + + + + + + + + + + + + + + + confirmationNumber + A number that confirms the given order or payment has been received. + + + + + + + + + + + + + + + + + + + + + connectedTo + Other anatomical structures to which this structure is connected. + + + + + + + + + + + + + + + + + + + + + constraintProperty + Indicates a property used as a constraint. For example, in the definition of a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>. The value is a property, either from within Schema.org or from other compatible (e.g. RDF) systems such as DataCommons.org or Wikidata.org. + + + + + + + + + + + + + + + + + + + + + An option available on this contact point (e.g. a toll-free number or support for hearing-impaired callers). + contactOption + + + + + + + + + + + + + + + + + + + + + A contact point for a person or organization. + contactPoint + + + + + + + + + + + + + + + + + + + + + + + + A contact point for a person or organization. + contactPoints + + + + + + + + + + + + + + + + + + + + + + contactType + A person or organization can have different contact points, for different purposes. For example, a sales contact point, a PR contact point and so on. This property is used to specify the kind of contact point. + + + + + + + + + + + + + + + + + + + + A secure method for consumers to purchase products or services via debit, credit or smartcards by using RFID or NFC technology. + contactlessPayment + + + + + + + + + + + + + + + + + + containedIn + + The basic containment relation between a place and one that contains it. + + + + + + + + + + + + + + + + + + + + + containedInPlace + The basic containment relation between a place and one that contains it. + + + + + + + + + + + + + + + + + + + + + + + containsPlace + The basic containment relation between a place and another that it contains. + + + + + + + + + + + + + + + + + + + + + containsSeason + A season that is part of the media series. + + + + + + + + + + + + + + + + + + + + + + + + The location depicted or described in the content. For example, the location in a photograph or painting. + contentLocation + + + + + + + + + + + + + + + + + + + + + Official rating of a piece of content&#x2014;for example, 'MPAA PG-13'. + contentRating + + + + + + + + + + + + + + + + + + + + + The specific time described by a creative work, for works (e.g. articles, video objects etc.) that emphasise a particular moment within an Event. + contentReferenceTime + + + + + + + + + + + + + + + + + + File size in (mega/kilo)bytes. + contentSize + + + + + + + + + + + + + + + + + + + + contentType + The supported content type(s) for an EntryPoint response. + + + + + + + + + + + + + + + + + + + + contentUrl + Actual bytes of the media object, for example the image file or video file. + + + + + + + + + + + + + + + + + + + + A contraindication for this therapy. + contraindication + + + + + + + + + + + + + + + + + + + + + + A secondary contributor to the CreativeWork or Event. + contributor + + + + + + + + + + + + + + + + + + + + + + + The time it takes to actually cook the dish, in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>. + cookTime + + + + + + + + + + + + + + + + + + + + + + The method of cooking, such as Frying, Steaming, ... + cookingMethod + + + + + + + + + + + + + + + + + + + + copyrightHolder + The party holding the legal copyright to the CreativeWork. + + + + + + + + + + + + + + + + + + + + + + copyrightNotice + Text of a notice appropriate for describing the copyright aspects of this Creative Work, ideally indicating the owner of the copyright for the Work. + + + + + + + + + + + + + + + + + + + + copyrightYear + The year during which the claimed copyright for the CreativeWork was first asserted. + + + + + + + + + + + + + + + + + + Indicates a correction to a <a class="localLink" href="/CreativeWork">CreativeWork</a>, either via a <a class="localLink" href="/CorrectionComment">CorrectionComment</a>, textually or in another document. + correction + + + + + + + + + + + + + + + + + + + + + For an <a class="localLink" href="/Organization">Organization</a> (e.g. <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>), a statement describing (in news media, the newsroom’s) disclosure and correction policy for errors. + + correctionsPolicy + + + + + + + + + + + + + + + + + + + + + + costCategory + The category of cost, such as wholesale, retail, reimbursement cap, etc. + + + + + + + + + + + + + + + + + + + + + The currency (in 3-letter) of the drug cost. See: http://en.wikipedia.org/wiki/ISO_4217. + costCurrency + + + + + + + + + + + + + + + + + + + + costOrigin + Additional details to capture the origin of the cost data. For example, 'Medicare Part B'. + + + + + + + + + + + + + + + + + + + + costPerUnit + The cost per unit of the drug. + + + + + + + + + + + + + + + + + + + + + + Countries for which the application is not supported. You can also provide the two-letter ISO 3166-1 alpha-2 country code. + countriesNotSupported + + + + + + + + + + + + + + + + + + + + Countries for which the application is supported. You can also provide the two-letter ISO 3166-1 alpha-2 country code. + countriesSupported + + + + + + + + + + + + + + + + + + + + The place where the product was assembled. + countryOfAssembly + + + + + + + + + + + + + + + + + + + + The place where the item (typically <a class="localLink" href="/Product">Product</a>) was last processed and tested before importation. + countryOfLastProcessing + + + + + + + + + + + + + + + + + + + + The country of origin of something, including products as well as creative works such as movie and TV content.<br/><br/> + +In the case of TV and movie, this would be the country of the principle offices of the production company or individual responsible for the movie. For other kinds of <a class="localLink" href="/CreativeWork">CreativeWork</a> it is difficult to provide fully general guidance, and properties such as <a class="localLink" href="/contentLocation">contentLocation</a> and <a class="localLink" href="/locationCreated">locationCreated</a> may be more applicable.<br/><br/> + +In the case of products, the country of origin of the product. The exact interpretation of this may vary by context and product type, and cannot be fully enumerated here. + countryOfOrigin + + + + + + + + + + + + + + + + + + + + + + + + + + A sub property of location. The course where this action was taken. + course + + + + + + + + + + + + + + + + + + + + + + + courseCode + The identifier for the <a class="localLink" href="/Course">Course</a> used by the course <a class="localLink" href="/provider">provider</a> (e.g. CS101 or 6.001). + + + + + + + + + + + + + + + + + + + + The medium or means of delivery of the course instance or the mode of study, either as a text label (e.g. "online", "onsite" or "blended"; "synchronous" or "asynchronous"; "full-time" or "part-time") or as a URL reference to a term from a controlled vocabulary (e.g. https://ceds.ed.gov/element/001311#Asynchronous). + courseMode + + + + + + + + + + + + + + + + + + + + Requirements for taking the Course. May be completion of another <a class="localLink" href="/Course">Course</a> or a textual description like "permission of instructor". Requirements may be a pre-requisite competency, referenced using <a class="localLink" href="/AlignmentObject">AlignmentObject</a>. + coursePrerequisites + + + + + + + + + + + + + + + + + + + + + + Represents the length and pace of a course, expressed as a <a class="localLink" href="/Schedule">Schedule</a>. + courseSchedule + + + + + + + + + + + + + + + + + + + + + courseWorkload + The amount of work expected of students taking the course, often provided as a figure per week or per month, and may be broken down by type. For example, "2 hours of lectures, 1 hour of lab work and 3 hours of independent study per week". + + + + + + + + + + + + + + + + + + + + coverageEndTime + The time when the live blog will stop covering the Event. Note that coverage may continue after the Event concludes. + + + + + + + + + + + + + + + + + + The time when the live blog will begin covering the Event. Note that coverage may begin before the Event's start time. The LiveBlogPosting may also be created before coverage begins. + coverageStartTime + + + + + + + + + + + + + + + + + + creativeWorkStatus + The status of a creative work in terms of its stage in a lifecycle. Example terms include Incomplete, Draft, Published, Obsolete. Some organizations define a set of terms for the stages of their publication lifecycle. + + + + + + + + + + + + + + + + + + + + + creator + The creator/author of this CreativeWork. This is the same as the Author property for CreativeWork. + + + + + + + + + + + + + + + + + + + + + + + The category or type of credential being described, for example "degree”, “certificate”, “badge”, or more specific term. + credentialCategory + + + + + + + + + + + + + + + + + + + + + creditText + Text that can be used to credit person(s) and/or organization(s) associated with a published Creative Work. + + + + + + + + + + + + + + + + + + + + creditedTo + The group the release is credited to if different than the byArtist. For example, Red and Blue is credited to "Stefani Germanotta Band", but by Lady Gaga. + + + + + + + + + + + + + + + + + + + + + + A CSS selector, e.g. of a <a class="localLink" href="/SpeakableSpecification">SpeakableSpecification</a> or <a class="localLink" href="/WebPageElement">WebPageElement</a>. In the latter case, multiple matches within a page can constitute a single conceptual "Web page element". + cssSelector + + + + + + + + + + + + + + + + + + + + + + currenciesAccepted + The currency accepted.<br/><br/> + +Use standard formats: <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217 currency format</a>, e.g. "USD"; <a href="https://en.wikipedia.org/wiki/List_of_cryptocurrencies">Ticker symbol</a> for cryptocurrencies, e.g. "BTC"; well known names for <a href="https://en.wikipedia.org/wiki/Local_exchange_trading_system">Local Exchange Trading Systems</a> (LETS) and other currency types, e.g. "Ithaca HOUR". + + + + + + + + + + + + + + + + + + + + currency + The currency in which the monetary amount is expressed.<br/><br/> + +Use standard formats: <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217 currency format</a>, e.g. "USD"; <a href="https://en.wikipedia.org/wiki/List_of_cryptocurrencies">Ticker symbol</a> for cryptocurrencies, e.g. "BTC"; well known names for <a href="https://en.wikipedia.org/wiki/Local_exchange_trading_system">Local Exchange Trading Systems</a> (LETS) and other currency types, e.g. "Ithaca HOUR". + + + + + + + + + + + + + + + + + + + + + + + + currentExchangeRate + The current price of a currency. + + + + + + + + + + + + + + + + + + + + + Party placing the order or paying the invoice. + customer + + + + + + + + + + + + + + + + + + + + + + + The type of return fees if the product is returned due to customer remorse. + customerRemorseReturnFees + + + + + + + + + + + + + + + + + + + + + The method (from an enumeration) by which the customer obtains a return shipping label for a product returned due to customer remorse. + customerRemorseReturnLabelSource + + + + + + + + + + + + + + + + + + + + + customerRemorseReturnShippingFeesAmount + The amount of shipping costs if a product is returned due to customer remorse. Applicable when property <a class="localLink" href="/customerRemorseReturnFees">customerRemorseReturnFees</a> equals <a class="localLink" href="/ReturnShippingFees">ReturnShippingFees</a>. + + + + + + + + + + + + + + + + + + + + + cutoffTime + Order cutoff time allows merchants to describe the time after which they will no longer process orders received on that day. For orders processed after cutoff time, one day gets added to the delivery time estimate. This property is expected to be most typically used via the <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a> publication pattern. The time is indicated using the ISO-8601 Time format, e.g. "23:30:00-05:00" would represent 6:30 pm Eastern Standard Time (EST) which is 5 hours behind Coordinated Universal Time (UTC). + + + + + + + + + + + + + + + + + + + collectiondate - Date for which patient counts are reported. + cvdCollectionDate + + + + + + + + + + + + + + + + + + + + + cvdFacilityCounty + Name of the County of the NHSN facility that this data record applies to. Use <a class="localLink" href="/cvdFacilityId">cvdFacilityId</a> to identify the facility. To provide other details, <a class="localLink" href="/healthcareReportingData">healthcareReportingData</a> can be used on a <a class="localLink" href="/Hospital">Hospital</a> entry. + + + + + + + + + + + + + + + + + + + + Identifier of the NHSN facility that this data record applies to. Use <a class="localLink" href="/cvdFacilityCounty">cvdFacilityCounty</a> to indicate the county. To provide other details, <a class="localLink" href="/healthcareReportingData">healthcareReportingData</a> can be used on a <a class="localLink" href="/Hospital">Hospital</a> entry. + cvdFacilityId + + + + + + + + + + + + + + + + + + + + cvdNumBeds + numbeds - HOSPITAL INPATIENT BEDS: Inpatient beds, including all staffed, licensed, and overflow (surge) beds used for inpatients. + + + + + + + + + + + + + + + + + + numbedsocc - HOSPITAL INPATIENT BED OCCUPANCY: Total number of staffed inpatient beds that are occupied. + cvdNumBedsOcc + + + + + + + + + + + + + + + + + + numc19died - DEATHS: Patients with suspected or confirmed COVID-19 who died in the hospital, ED, or any overflow location. + cvdNumC19Died + + + + + + + + + + + + + + + + + + numc19hopats - HOSPITAL ONSET: Patients hospitalized in an NHSN inpatient care location with onset of suspected or confirmed COVID-19 14 or more days after hospitalization. + cvdNumC19HOPats + + + + + + + + + + + + + + + + + + cvdNumC19HospPats + numc19hosppats - HOSPITALIZED: Patients currently hospitalized in an inpatient care location who have suspected or confirmed COVID-19. + + + + + + + + + + + + + + + + + + cvdNumC19MechVentPats + numc19mechventpats - HOSPITALIZED and VENTILATED: Patients hospitalized in an NHSN inpatient care location who have suspected or confirmed COVID-19 and are on a mechanical ventilator. + + + + + + + + + + + + + + + + + + cvdNumC19OFMechVentPats + numc19ofmechventpats - ED/OVERFLOW and VENTILATED: Patients with suspected or confirmed COVID-19 who are in the ED or any overflow location awaiting an inpatient bed and on a mechanical ventilator. + + + + + + + + + + + + + + + + + + cvdNumC19OverflowPats + numc19overflowpats - ED/OVERFLOW: Patients with suspected or confirmed COVID-19 who are in the ED or any overflow location awaiting an inpatient bed. + + + + + + + + + + + + + + + + + + numicubeds - ICU BEDS: Total number of staffed inpatient intensive care unit (ICU) beds. + cvdNumICUBeds + + + + + + + + + + + + + + + + + + numicubedsocc - ICU BED OCCUPANCY: Total number of staffed inpatient ICU beds that are occupied. + cvdNumICUBedsOcc + + + + + + + + + + + + + + + + + + numtotbeds - ALL HOSPITAL BEDS: Total number of all inpatient and outpatient beds, including all staffed, ICU, licensed, and overflow (surge) beds used for inpatients or outpatients. + cvdNumTotBeds + + + + + + + + + + + + + + + + + + cvdNumVent + numvent - MECHANICAL VENTILATORS: Total number of ventilators available. + + + + + + + + + + + + + + + + + + cvdNumVentUse + numventuse - MECHANICAL VENTILATORS IN USE: Total number of ventilators in use. + + + + + + + + + + + + + + + + + + An item within a data feed. Data feeds may have many elements. + dataFeedElement + + + + + + + + + + + + + + + + + + + + + + A dataset contained in this catalog. + dataset + + + + + + + + + + + + + + + + + + + + + + The range of temporal applicability of a dataset, e.g. for a 2011 census dataset, the year 2011 (in ISO 8601 time interval format). + datasetTimeInterval + + + + + + + + + + + + + + + + + + + The date on which the CreativeWork was created or the item was added to a DataFeed. + dateCreated + + + + + + + + + + + + + + + + + + + + dateDeleted + The datetime the item was removed from the DataFeed. + + + + + + + + + + + + + + + + + + + The date the ticket was issued. + dateIssued + + + + + + + + + + + + + + + + + + + The date on which the CreativeWork was most recently modified or when the item's entry was modified within a DataFeed. + dateModified + + + + + + + + + + + + + + + + + + + + datePosted + Publication date of an online listing. + + + + + + + + + + + + + + + + + + + + + + Date of first publication or broadcast. For example the date a <a class="localLink" href="/CreativeWork">CreativeWork</a> was broadcast or a <a class="localLink" href="/Certification">Certification</a> was issued. + datePublished + + + + + + + + + + + + + + + + + + + + dateRead + The date/time at which the message has been read by the recipient if a single recipient exists. + + + + + + + + + + + + + + + + + + + The date/time the message was received if a single recipient exists. + dateReceived + + + + + + + + + + + + + + + + + + The date/time at which the message was sent. + dateSent + + + + + + + + + + + + + + + + + + The date of the first registration of the vehicle with the respective public authorities. + dateVehicleFirstRegistered + + + + + + + + + + + + + + + + + + A <a href="https://en.wikipedia.org/wiki/Dateline">dateline</a> is a brief piece of text included in news articles that describes where and when the story was written or filed though the date is often omitted. Sometimes only a placename is provided.<br/><br/> + +Structured representations of dateline-related information can also be expressed more explicitly using <a class="localLink" href="/locationCreated">locationCreated</a> (which represents where a work was created, e.g. where a news report was written). For location depicted or described in the content, use <a class="localLink" href="/contentLocation">contentLocation</a>.<br/><br/> + +Dateline summaries are oriented more towards human readers than towards automated processing, and can vary substantially. Some examples: "BEIRUT, Lebanon, June 2.", "Paris, France", "December 19, 2017 11:43AM Reporting from Washington", "Beijing/Moscow", "QUEZON CITY, Philippines". + dateline + + + + + + + + + + + + + + + + + + + + The day of the week for which these opening hours are valid. + dayOfWeek + + + + + + + + + + + + + + + + + + + + + + Date of death. + deathDate + + + + + + + + + + + + + + + + + + The place where the person died. + deathPlace + + + + + + + + + + + + + + + + + + + + + defaultValue + The default value of the input. For properties that expect a literal, the default is a literal value, for properties that expect an object, it's an ID reference to one of the current values. + + + + + + + + + + + + + + + + + + + + + Destination address. + deliveryAddress + + + + + + + + + + + + + + + + + + + + + deliveryLeadTime + The typical delay between the receipt of the order and the goods either leaving the warehouse or being prepared for pickup, in case the delivery method is on site pickup. + + + + + + + + + + + + + + + + + + + + + + deliveryMethod + + A sub property of instrument. The method of delivery. + + + + + + + + + + + + + + + + + + + + + + + + deliveryStatus + New entry added as the package passes through each leg of its journey (from shipment to final delivery). + + + + + + + + + + + + + + + + + + + + + deliveryTime + The total delay between the receipt of the order and the goods reaching the final customer. + + + + + + + + + + + + + + + + + + + + + + department + A relationship between an organization and a department of that organization, also described as an organization (allowing different urls, logos, opening hours). For example: a store with a pharmacy, or a bakery with a cafe. + + + + + + + + + + + + + + + + + + + + + The airport where the flight originates. + departureAirport + + + + + + + + + + + + + + + + + + + + + departureBoatTerminal + The terminal or port from which the boat departs. + + + + + + + + + + + + + + + + + + + + + departureBusStop + The stop or station from which the bus departs. + + + + + + + + + + + + + + + + + + + + + + departureGate + Identifier of the flight's departure gate. + + + + + + + + + + + + + + + + + + + + The platform from which the train departs. + departurePlatform + + + + + + + + + + + + + + + + + + + + departureStation + The station from which the train departs. + + + + + + + + + + + + + + + + + + + + + departureTerminal + Identifier of the flight's departure terminal. + + + + + + + + + + + + + + + + + + + + The expected departure time. + departureTime + + + + + + + + + + + + + + + + + + + Prerequisites needed to fulfill steps in article. + dependencies + + + + + + + + + + + + + + + + + + + + depth + The depth of the item. + + + + + + + + + + + + + + + + + + + + + + + + + A description of the item. + description + + + + + + + + + + + + + + + + + + + + + device + Device required to run the application. Used in cases where a specific make/model is required to run the application. + + + + + + + + + + + + + + + + + + + + + diagnosis + One or more alternative conditions considered in the differential diagnosis process as output of a diagnosis process. + + + + + + + + + + + + + + + + + + + + + + diagram + An image containing a diagram that illustrates the structure and/or its component substructures and/or connections with other structures. + + + + + + + + + + + + + + + + + + + + + A sub property of instrument. The diet used in this action. + diet + + + + + + + + + + + + + + + + + + + + + + Nutritional information specific to the dietary plan. May include dietary recommendations on what foods to avoid, what foods to consume, and specific alterations/deviations from the USDA or other regulatory body's approved dietary guidelines. + dietFeatures + + + + + + + + + + + + + + + + + + + + One of a set of differential diagnoses for the condition. Specifically, a closely-related or competing diagnosis typically considered later in the cognitive process whereby this medical condition is distinguished from others most likely responsible for a similar collection of signs and symptoms to reach the most parsimonious diagnosis or diagnoses in a patient. + differentialDiagnosis + + + + + + + + + + + + + + + + + + + + + Indicates an IPTCDigitalSourceEnumeration code indicating the nature of the digital source(s) for some <a class="localLink" href="/CreativeWork">CreativeWork</a>. + digitalSourceType + + + + + + + + + + + + + + + + + + + + + directApply + Indicates whether an <a class="localLink" href="/url">url</a> that is associated with a <a class="localLink" href="/JobPosting">JobPosting</a> enables direct application for the job, via the posting website. A job posting is considered to have directApply of <a class="localLink" href="/True">True</a> if an application process for the specified job can be directly initiated via the url(s) given (noting that e.g. multiple internet domains might nevertheless be involved at an implementation level). A value of <a class="localLink" href="/False">False</a> is appropriate if there is no clear path to applying directly online for the specified job, navigating directly from the JobPosting url(s) supplied. + + + + + + + + + + + + + + + + + + director + A director of e.g. TV, radio, movie, video gaming etc. content, or of an event. Directors can be associated with individual items or with a series, episode, clip. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A director of e.g. TV, radio, movie, video games etc. content. Directors can be associated with individual items or with a series, episode, clip. + directors + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + disambiguatingDescription + A sub property of description. A short description of the item used to disambiguate from other, similar items. Information from other properties (in particular, name) may be necessary for the description to be useful for disambiguation. + + + + + + + + + + + + + + + + + + + + + Any discount applied (to an Order). + discount + + + + + + + + + + + + + + + + + + + + + Code used to redeem a discount. + discountCode + + + + + + + + + + + + + + + + + + + + The currency of the discount.<br/><br/> + +Use standard formats: <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217 currency format</a>, e.g. "USD"; <a href="https://en.wikipedia.org/wiki/List_of_cryptocurrencies">Ticker symbol</a> for cryptocurrencies, e.g. "BTC"; well known names for <a href="https://en.wikipedia.org/wiki/Local_exchange_trading_system">Local Exchange Trading Systems</a> (LETS) and other currency types, e.g. "Ithaca HOUR". + discountCurrency + + + + + + + + + + + + + + + + + + + + Specifies the CreativeWork associated with the UserComment. + discusses + + + + + + + + + + + + + + + + + + + + + discussionUrl + A link to the page containing the comments of the CreativeWork. + + + + + + + + + + + + + + + + + + + + diseasePreventionInfo + Information about disease prevention. + + + + + + + + + + + + + + + + + + + + + diseaseSpreadStatistics + Statistical information about the spread of a disease, either as <a class="localLink" href="/WebContent">WebContent</a>, or + described directly as a <a class="localLink" href="/Dataset">Dataset</a>, or the specific <a class="localLink" href="/Observation">Observation</a>s in the dataset. When a <a class="localLink" href="/WebContent">WebContent</a> URL is + provided, the page indicated might also contain more such markup. + + + + + + + + + + + + + + + + + + + + + + + The date that this organization was dissolved. + dissolutionDate + + + + + + + + + + + + + + + + + + The distance travelled, e.g. exercising or travelling. + distance + + + + + + + + + + + + + + + + + + + + + + distinguishingSign + One of a set of signs and symptoms that can be used to distinguish this diagnosis from others in the differential diagnosis. + + + + + + + + + + + + + + + + + + + + + A downloadable form of this dataset, at a specific location, in a specific format. This property can be repeated if different variations are available. There is no expectation that different downloadable distributions must contain exactly equivalent information (see also <a href="https://www.w3.org/TR/vocab-dcat-3/#Class:Distribution">DCAT</a> on this point). Different distributions might include or exclude different subsets of the entire dataset, for example. + distribution + + + + + + + + + + + + + + + + + + + + + Statement on diversity policy by an <a class="localLink" href="/Organization">Organization</a> e.g. a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>. For a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>, a statement describing the newsroom’s diversity policy on both staffing and sources, typically providing staffing data. + diversityPolicy + + + + + + + + + + + + + + + + + + + + + + diversityStaffingReport + + For an <a class="localLink" href="/Organization">Organization</a> (often but not necessarily a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>), a report on staffing diversity issues. In a news context this might be for example ASNE or RTDNA (US) reports, or self-reported. + + + + + + + + + + + + + + + + + + + + + + Further documentation describing the Web API in more detail. + documentation + + + + + + + + + + + + + + + + + + + + + Indicates when shipping to a particular <a class="localLink" href="/shippingDestination">shippingDestination</a> is not available. + doesNotShip + + + + + + + + + + + + + + + + + + + + domainIncludes + Relates a property to a class that is (one of) the type(s) the property is expected to be used on. + + + + + + + + + + + + + + + + + + + + + Whether borrower is a resident of the jurisdiction where the property is located. + domiciledMortgage + + + + + + + + + + + + + + + + + + The time admission will commence. + doorTime + + + + + + + + + + + + + + + + + + + dosageForm + A dosage form in which this drug/supplement is available, e.g. 'tablet', 'suspension', 'injection'. + + + + + + + + + + + + + + + + + + + + doseSchedule + A dosing schedule for the drug for a given population, either observed, recommended, or maximum dose based on the type used. + + + + + + + + + + + + + + + + + + + + + + The unit of the dose, e.g. 'mg'. + doseUnit + + + + + + + + + + + + + + + + + + + + doseValue + The value of the dose, e.g. 500. + + + + + + + + + + + + + + + + + + + + + + downPayment + a type of payment made in cash during the onset of the purchase of an expensive good/service. The payment typically represents only a percentage of the full purchase price. + + + + + + + + + + + + + + + + + + + + + + downloadUrl + If the file can be downloaded, URL to download the binary. + + + + + + + + + + + + + + + + + + + + downvoteCount + The number of downvotes this question, answer or comment has received from the community. + + + + + + + + + + + + + + + + + + The vasculature that the vein drains into. + drainsTo + + + + + + + + + + + + + + + + + + + + + The drive wheel configuration, i.e. which roadwheels will receive torque from the vehicle's engine via the drivetrain. + driveWheelConfiguration + + + + + + + + + + + + + + + + + + + + + dropoffLocation + Where a rental car can be dropped off. + + + + + + + + + + + + + + + + + + + + + When a rental car can be dropped off. + dropoffTime + + + + + + + + + + + + + + + + + + drug + Specifying a drug or medicine used in a medication procedure. + + + + + + + + + + + + + + + + + + + + + + + + drugClass + The class of drug this belongs to (e.g., statins). + + + + + + + + + + + + + + + + + + + + + The unit in which the drug is measured, e.g. '5 mg tablet'. + drugUnit + + + + + + + + + + + + + + + + + + + + + + duns + The Dun &amp; Bradstreet DUNS number for identifying an organization or business person. + + + + + + + + + + + + + + + + + + + + + A therapy that duplicates or overlaps this one. + duplicateTherapy + + + + + + + + + + + + + + + + + + + + + duration + The duration of the item (movie, audio recording, event, etc.) in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + The duration of the warranty promise. Common unitCode values are ANN for year, MON for months, or DAY for days. + durationOfWarranty + + + + + + + + + + + + + + + + + + + + + A media object representing the circumstances while performing this direction. + duringMedia + + + + + + + + + + + + + + + + + + + + + The amount to be paid as a penalty in the event of early payment of the loan. + earlyPrepaymentPenalty + + + + + + + + + + + + + + + + + + + + + An <a href="https://eidr.org/">EIDR</a> (Entertainment Identifier Registry) <a class="localLink" href="/identifier">identifier</a> representing a specific edit / edition for a work of film or television.<br/><br/> + +For example, the motion picture known as "Ghostbusters" whose <a class="localLink" href="/titleEIDR">titleEIDR</a> is "10.5240/7EC7-228A-510A-053E-CBB8-J" has several edits, e.g. "10.5240/1F2A-E1C5-680A-14C6-E76B-I" and "10.5240/8A35-3BEE-6497-5D12-9E4F-3".<br/><br/> + +Since schema.org types like <a class="localLink" href="/Movie">Movie</a> and <a class="localLink" href="/TVEpisode">TVEpisode</a> can be used for both works and their multiple expressions, it is possible to use <a class="localLink" href="/titleEIDR">titleEIDR</a> alone (for a general description), or alongside <a class="localLink" href="/editEIDR">editEIDR</a> for a more edit-specific description. + + editEIDR + + + + + + + + + + + + + + + + + + + + Specifies the Person who edited the CreativeWork. + editor + + + + + + + + + + + + + + + + + + + + + For questions that are part of learning resources (e.g. Quiz), eduQuestionType indicates the format of question being given. Example: "Multiple choice", "Open ended", "Flashcard". + eduQuestionType + + + + + + + + + + + + + + + + + + + + + educationRequirements + Educational background needed for the position or Occupation. + + + + + + + + + + + + + + + + + + + + + + educationalAlignment + An alignment to an established educational framework.<br/><br/> + +This property should not be used where the nature of the alignment can be described using a simple property, for example to express that a resource <a class="localLink" href="/teaches">teaches</a> or <a class="localLink" href="/assesses">assesses</a> a competency. + + + + + + + + + + + + + + + + + + + + + + educationalCredentialAwarded + A description of the qualification, award, certificate, diploma or other educational credential awarded as a consequence of successful completion of this course or program. + + + + + + + + + + + + + + + + + + + + + + The framework to which the resource being described is aligned. + educationalFramework + + + + + + + + + + + + + + + + + + + + The level in terms of progression through an educational or training context. Examples of educational levels include 'beginner', 'intermediate' or 'advanced', and formal sets of level indicators. + educationalLevel + + + + + + + + + + + + + + + + + + + + + + + + Similar to courseMode, the medium or means of delivery of the program as a whole. The value may either be a text label (e.g. "online", "onsite" or "blended"; "synchronous" or "asynchronous"; "full-time" or "part-time") or a URL reference to a term from a controlled vocabulary (e.g. https://ceds.ed.gov/element/001311#Asynchronous ). + educationalProgramMode + + + + + + + + + + + + + + + + + + + + educationalRole + An educationalRole of an EducationalAudience. + + + + + + + + + + + + + + + + + + + + educationalUse + The purpose of a work in the context of education; for example, 'assignment', 'group work'. + + + + + + + + + + + + + + + + + + + + + + The elevation of a location (<a href="https://en.wikipedia.org/wiki/World_Geodetic_System">WGS 84</a>). Values may be of the form 'NUMBER UNIT_OF_MEASUREMENT' (e.g., '1,000 m', '3,200 ft') while numbers alone should be assumed to be a value in meters. + elevation + + + + + + + + + + + + + + + + + + + + + + The legal requirements such as citizenship, visa and other documentation required for an applicant to this job. + eligibilityToWorkRequirement + + + + + + + + + + + + + + + + + + + + eligibleCustomerType + The type(s) of customers for which the given offer is valid. + + + + + + + + + + + + + + + + + + + + + + The duration for which the given offer is valid. + eligibleDuration + + + + + + + + + + + + + + + + + + + + + + eligibleQuantity + The interval and unit of measurement of ordering quantities for which the offer or price specification is valid. This allows e.g. specifying that a certain freight charge is valid only for a certain quantity. + + + + + + + + + + + + + + + + + + + + + + + + The ISO 3166-1 (ISO 3166-1 alpha-2) or ISO 3166-2 code, the place, or the GeoShape for the geo-political region(s) for which the offer or delivery charge specification is valid.<br/><br/> + +See also <a class="localLink" href="/ineligibleRegion">ineligibleRegion</a>. + eligibleRegion + + + + + + + + + + + + + + + + + + + + + + + + + The transaction volume, in a monetary unit, for which the offer or price specification is valid, e.g. for indicating a minimal purchasing volume, to express free shipping above a certain order volume, or to limit the acceptance of credit cards to purchases to a certain minimal amount. + eligibleTransactionVolume + + + + + + + + + + + + + + + + + + + + + + + eligibleWithSupplier + The supplier of the incentivized item/service for which the incentive is valid for such as a utility company, merchant, or contractor. + + + + + + + + + + + + + + + + + + + + + email + Email address. + + + + + + + + + + + + + + + + + + + + + + A URL pointing to a player for a specific video. In general, this is the information in the <code>src</code> element of an <code>embed</code> tag and should not be the same as the content of the <code>loc</code> tag. + embedUrl + + + + + + + + + + + + + + + + + + + + Represents textual captioning from a <a class="localLink" href="/MediaObject">MediaObject</a>, e.g. text of a 'meme'. + + embeddedTextCaption + + + + + + + + + + + + + + + + + + + + + + The CO2 emissions in g/km. When used in combination with a QuantitativeValue, put "g/km" into the unitText property of that value, since there is no UN/CEFACT Common Code for "g/km". + emissionsCO2 + + + + + + + + + + + + + + + + + + Someone working for this organization. + employee + + + + + + + + + + + + + + + + + + + + + + People working for this organization. + employees + + + + + + + + + + + + + + + + + + + + + A description of the employer, career opportunities and work environment for this position. + employerOverview + + + + + + + + + + + + + + + + + + + + employmentType + Type of employment (e.g. full-time, part-time, contract, temporary, seasonal, internship). + + + + + + + + + + + + + + + + + + + + employmentUnit + Indicates the department, unit and/or facility where the employee reports and/or in which the job is to be performed. + + + + + + + + + + + + + + + + + + + + + Another BioChemEntity encoded by this one. + + encodesBioChemEntity + + + + + + + + + + + + + + + + + + + + + + The CreativeWork encoded by this media object. + encodesCreativeWork + + + + + + + + + + + + + + + + + + + + + encoding + A media object that encodes this CreativeWork. This property is a synonym for associatedMedia. + + + + + + + + + + + + + + + + + + + + + + Media type typically expressed using a MIME format (see <a href="http://www.iana.org/assignments/media-types/media-types.xhtml">IANA site</a> and <a href="https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types">MDN reference</a>), e.g. application/zip for a SoftwareApplication binary, audio/mpeg for .mp3 etc.<br/><br/> + +In cases where a <a class="localLink" href="/CreativeWork">CreativeWork</a> has several media type representations, <a class="localLink" href="/encoding">encoding</a> can be used to indicate each <a class="localLink" href="/MediaObject">MediaObject</a> alongside particular <a class="localLink" href="/encodingFormat">encodingFormat</a> information.<br/><br/> + +Unregistered or niche encoding and file formats can be indicated instead via the most appropriate URL, e.g. defining Web page or a Wikipedia/Wikidata entry. + encodingFormat + + + + + + + + + + + + + + + + + + + + + encodingType + The supported encoding type(s) for an EntryPoint request. + + + + + + + + + + + + + + + + + + + + A media object that encodes this CreativeWork. + encodings + + + + + + + + + + + + + + + + + + + + + + The end date and time of the item (in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 date format</a>). + endDate + + + + + + + + + + + + + + + + + + + + + + + + + + endOffset + The end time of the clip expressed as the number of seconds from the beginning of the work. + + + + + + + + + + + + + + + + + + + + + + endTime + The endTime of something. For a reserved event or service (e.g. FoodEstablishmentReservation), the time that it is expected to end. For actions that span a period of time, when the action was performed. E.g. John wrote a book from January to <em>December</em>. For media, including audio and video, it's the time offset of the end of a clip within a larger file.<br/><br/> + +Note that Event uses startDate/endDate instead of startTime/endTime, even when describing dates with times. This situation may be clarified in future revisions. + + + + + + + + + + + + + + + + + + + + + + + + A sub property of participant. The person/organization being supported. + endorsee + + + + + + + + + + + + + + + + + + + + + + endorsers + People or organizations that endorse the plan. + + + + + + + + + + + + + + + + + + + + + + Specifies the most energy efficient class on the regulated EU energy consumption scale for the product category a product belongs to. For example, energy consumption for televisions placed on the market after January 1, 2020 is scaled from D to A+++. + energyEfficiencyScaleMax + + + + + + + + + + + + + + + + + + + + + energyEfficiencyScaleMin + Specifies the least energy efficient class on the regulated EU energy consumption scale for the product category a product belongs to. For example, energy consumption for televisions placed on the market after January 1, 2020 is scaled from D to A+++. + + + + + + + + + + + + + + + + + + + + + The volume swept by all of the pistons inside the cylinders of an internal combustion engine in a single movement. <br/><br/> + +Typical unit code(s): CMQ for cubic centimeter, LTR for liters, INQ for cubic inches +* Note 1: You can link to information about how the given value has been determined using the <a class="localLink" href="/valueReference">valueReference</a> property. +* Note 2: You can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges. + engineDisplacement + + + + + + + + + + + + + + + + + + + + + enginePower + The power of the vehicle's engine. + Typical unit code(s): KWT for kilowatt, BHP for brake horsepower, N12 for metric horsepower (PS, with 1 PS = 735,49875 W)<br/><br/> + +<ul> +<li>Note 1: There are many different ways of measuring an engine's power. For an overview, see <a href="http://en.wikipedia.org/wiki/Horsepower#Engine_power_test_codes">http://en.wikipedia.org/wiki/Horsepower#Engine_power_test_codes</a>.</li> +<li>Note 2: You can link to information about how the given value has been determined using the <a class="localLink" href="/valueReference">valueReference</a> property.</li> +<li>Note 3: You can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + engineType + The type of engine or engines powering the vehicle. + + + + + + + + + + + + + + + + + + + + + A sub property of location. The entertainment business where the action occurred. + + entertainmentBusiness + + + + + + + + + + + + + + + + + + + + + epidemiology + The characteristics of associated patients, such as age, gender, race etc. + + + + + + + + + + + + + + + + + + + + + An episode of a TV, radio or game media within a series or season. + + episode + + + + + + + + + + + + + + + + + + + + + + + + + episodeNumber + Position of the episode within an ordered group of episodes. + + + + + + + + + + + + + + + + + + + + + + An episode of a TV/radio series or season. + episodes + + + + + + + + + + + + + + + + + + + + + + + + This ordering relation for qualitative values indicates that the subject is equal to the object. + equal + + + + + + + + + + + + + + + + + + + + + error + For failed actions, more information on the cause of the failure. + + + + + + + + + + + + + + + + + + + + + The estimated cost of the supply or supplies consumed when performing instructions. + estimatedCost + + + + + + + + + + + + + + + + + + + + + + The estimated time the flight will take. + estimatedFlightDuration + + + + + + + + + + + + + + + + + + + + + estimatedSalary + An estimated salary for a job posting or occupation, based on a variety of variables including, but not limited to industry, job title, and location. Estimated salaries are often computed by outside organizations rather than the hiring organization, who may not have committed to the estimated value. + + + + + + + + + + + + + + + + + + + + + + + + The condition, complication, or symptom whose risk is being estimated. + estimatesRiskOf + + + + + + + + + + + + + + + + + + + + + Statement about ethics policy, e.g. of a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a> regarding journalistic and publishing practices, or of a <a class="localLink" href="/Restaurant">Restaurant</a>, a page describing food source policies. In the case of a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>, an ethicsPolicy is typically a statement describing the personal, organizational, and corporate standards of behavior expected by the organization. + ethicsPolicy + + + + + + + + + + + + + + + + + + + + + + Upcoming or past event associated with this place, organization, or action. + event + + + + + + + + + + + + + + + + + + + + + + + + + + + eventAttendanceMode + The eventAttendanceMode of an event indicates whether it occurs online, offline, or a mix. + + + + + + + + + + + + + + + + + + + + + Associates an <a class="localLink" href="/Event">Event</a> with a <a class="localLink" href="/Schedule">Schedule</a>. There are circumstances where it is preferable to share a schedule for a series of + repeating events rather than data on the individual events themselves. For example, a website or application might prefer to publish a schedule for a weekly + gym class rather than provide data on every event. A schedule could be processed by applications to add forthcoming events to a calendar. An <a class="localLink" href="/Event">Event</a> that + is associated with a <a class="localLink" href="/Schedule">Schedule</a> using this property should not have <a class="localLink" href="/startDate">startDate</a> or <a class="localLink" href="/endDate">endDate</a> properties. These are instead defined within the associated + <a class="localLink" href="/Schedule">Schedule</a>, this avoids any ambiguity for clients using the data. The property might have repeated values to specify different schedules, e.g. for different months + or seasons. + eventSchedule + + + + + + + + + + + + + + + + + + + + + eventStatus + An eventStatus of an event represents its status; particularly useful when an event is cancelled or rescheduled. + + + + + + + + + + + + + + + + + + + + + events + Upcoming or past events associated with this place or organization. + + + + + + + + + + + + + + + + + + + + + + + evidenceLevel + Strength of evidence of the data used to formulate the guideline (enumerated). + + + + + + + + + + + + + + + + + + + + + evidenceOrigin + Source of the data used to formulate the guidance, e.g. RCT, consensus opinion, etc. + + + + + + + + + + + + + + + + + + + + A creative work that this work is an example/instance/realization/derivation of. + exampleOfWork + + + + + + + + + + + + + + + + + + + + + + Defines a <a class="localLink" href="/Date">Date</a> or <a class="localLink" href="/DateTime">DateTime</a> during which a scheduled <a class="localLink" href="/Event">Event</a> will not take place. The property allows exceptions to + a <a class="localLink" href="/Schedule">Schedule</a> to be specified. If an exception is specified as a <a class="localLink" href="/DateTime">DateTime</a> then only the event that would have started at that specific date and time + should be excluded from the schedule. If an exception is specified as a <a class="localLink" href="/Date">Date</a> then any event that is scheduled for that 24 hour period should be + excluded from the schedule. This allows a whole day to be excluded from the schedule without having to itemise every scheduled event. + exceptDate + + + + + + + + + + + + + + + + + + + The difference between the price at which a broker or other intermediary buys and sells foreign currency. + exchangeRateSpread + + + + + + + + + + + + + + + + + + + + + + Library file name, e.g., mscorlib.dll, system.web.dll. + executableLibraryName + + + + + + + + + + + + + + + + + + + + + A sub property of location. The course where this action was taken. + exerciseCourse + + + + + + + + + + + + + + + + + + + + + A sub property of instrument. The exercise plan used on this action. + + exercisePlan + + + + + + + + + + + + + + + + + + + + + exerciseRelatedDiet + A sub property of instrument. The diet used in this action. + + + + + + + + + + + + + + + + + + + + + + exerciseType + Type(s) of exercise or activity, such as strength training, flexibility training, aerobics, cardiac rehabilitation, etc. + + + + + + + + + + + + + + + + + + + + + exifData + exif data for this object. + + + + + + + + + + + + + + + + + + + + + expectedArrivalFrom + The earliest date the package may arrive. + + + + + + + + + + + + + + + + + + + The latest date the package may arrive. + expectedArrivalUntil + + + + + + + + + + + + + + + + + + + expectedPrognosis + The likely outcome in either the short term or long term of the medical condition. + + + + + + + + + + + + + + + + + + + + An Offer which must be accepted before the user can perform the Action. For example, the user may need to buy a movie before being able to watch it. + expectsAcceptanceOf + + + + + + + + + + + + + + + + + + + + + + + experienceInPlaceOfEducation + Indicates whether a <a class="localLink" href="/JobPosting">JobPosting</a> will accept experience (as indicated by <a class="localLink" href="/OccupationalExperienceRequirements">OccupationalExperienceRequirements</a>) in place of its formal educational qualifications (as indicated by <a class="localLink" href="/educationRequirements">educationRequirements</a>). If true, indicates that satisfying one of these requirements is sufficient. + + + + + + + + + + + + + + + + + + experienceRequirements + Description of skills and experience needed for the position or Occupation. + + + + + + + + + + + + + + + + + + + + + + Medical expert advice related to the plan. + expertConsiderations + + + + + + + + + + + + + + + + + + + + expires + Date the content expires and is no longer useful or available. For example a <a class="localLink" href="/VideoObject">VideoObject</a> or <a class="localLink" href="/NewsArticle">NewsArticle</a> whose availability or relevance is time-limited, a <a class="localLink" href="/ClaimReview">ClaimReview</a> fact check whose publisher wants to indicate that it may no longer be relevant (or helpful to highlight) after some date, or a <a class="localLink" href="/Certification">Certification</a> the validity has expired. + + + + + + + + + + + + + + + + + + + + Tissue, organ, biological sample, etc in which activity of this gene has been observed experimentally. For example brain, digestive system. + expressedIn + + + + + + + + + + + + + + + + + + + + + + + + An address extension such as an apartment number, C/O or alternative name. + extendedAddress + + + + + + + + + + + + + + + + + + + + Family name. In the U.S., the last name of a Person. + familyName + + + + + + + + + + + + + + + + + + + + fatContent + The number of grams of fat. + + + + + + + + + + + + + + + + + + + + + faxNumber + The fax number. + + + + + + + + + + + + + + + + + + + + + + + Features or modules provided by this application (and possibly required by other applications). + featureList + + + + + + + + + + + + + + + + + + + + feesAndCommissionsSpecification + Description of fees, commissions, and other terms applied either to a class of financial product, or by a financial service organization. + + + + + + + + + + + + + + + + + + + + + The number of grams of fiber. + fiberContent + + + + + + + + + + + + + + + + + + + + + fileFormat + Media type, typically MIME format (see <a href="http://www.iana.org/assignments/media-types/media-types.xhtml">IANA site</a>) of the content, e.g. application/zip of a SoftwareApplication binary. In cases where a CreativeWork has several media type representations, 'encoding' can be used to indicate each MediaObject alongside particular fileFormat information. Unregistered or niche file formats can be indicated instead via the most appropriate URL, e.g. defining Web page or a Wikipedia entry. + + + + + + + + + + + + + + + + + + + + + fileSize + Size of the application / package (e.g. 18MB). In the absence of a unit (MB, KB etc.), KB will be assumed. + + + + + + + + + + + + + + + + + + + + financialAidEligible + A financial aid type or program which students may use to pay for tuition or fees associated with the program. + + + + + + + + + + + + + + + + + + + + + + + Indicates the first known occurrence of a <a class="localLink" href="/Claim">Claim</a> in some <a class="localLink" href="/CreativeWork">CreativeWork</a>. + firstAppearance + + + + + + + + + + + + + + + + + + + + + The date and place the work was first performed. + firstPerformance + + + + + + + + + + + + + + + + + + + + + The distance of the flight. + flightDistance + + + + + + + + + + + + + + + + + + + + + flightNumber + + The unique identifier for a flight including the airline IATA code. For example, if describing United flight 110, where the IATA code for United is 'UA', the flightNumber is 'UA110'. + + + + + + + + + + + + + + + + + + + + The floor level for an <a class="localLink" href="/Accommodation">Accommodation</a> in a multi-storey building. Since counting + systems <a href="https://en.wikipedia.org/wiki/Storey#Consecutive_number_floor_designations">vary internationally</a>, the local system should be used where possible. + floorLevel + + + + + + + + + + + + + + + + + + + + floorLimit + A floor limit is the amount of money above which credit card transactions must be authorized. + + + + + + + + + + + + + + + + + + + + + floorSize + The size of the accommodation, e.g. in square meter or squarefoot. +Typical unit code(s): MTK for square meter, FTK for square foot, or YDK for square yard. + + + + + + + + + + + + + + + + + + + + + + + followee + A sub property of object. The person or organization being followed. + + + + + + + + + + + + + + + + + + + + + + The most generic uni-directional social relation. + follows + + + + + + + + + + + + + + + + + + + + + followup + Typical or recommended followup care after the procedure is performed. + + + + + + + + + + + + + + + + + + + + + foodEstablishment + A sub property of location. The specific food establishment where the action occurred. + + + + + + + + + + + + + + + + + + + + + + foodEvent + + A sub property of location. The specific food event where the action occurred. + + + + + + + + + + + + + + + + + + + + + foodWarning + Any precaution, guidance, contraindication, etc. related to consumption of specific foods while taking this drug. + + + + + + + + + + + + + + + + + + + + A person or organization who founded this organization. + founder + + + + + + + + + + + + + + + + + + + + + + + A person who founded this organization. + founders + + + + + + + + + + + + + + + + + + + + + The date that this organization was founded. + foundingDate + + + + + + + + + + + + + + + + + + foundingLocation + The place where the Organization was founded. + + + + + + + + + + + + + + + + + + + + + free + A flag to signal that the item, event, or place is accessible for free. + + + + + + + + + + + + + + + + + + + freeShippingThreshold + A monetary value above (or at) which the shipping rate becomes free. Intended to be used via an <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a> with <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> matching this <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a>. + + + + + + + + + + + + + + + + + + + + + + frequency + How often the dose is taken, e.g. 'daily'. + + + + + + + + + + + + + + + + + + + + + fromLocation + A sub property of location. The original location of the object or the agent before the action. + + + + + + + + + + + + + + + + + + + + + + + fuelCapacity + The capacity of the fuel tank or in the case of electric cars, the battery. If there are multiple components for storage, this should indicate the total of all storage of the same type.<br/><br/> + +Typical unit code(s): LTR for liters, GLL of US gallons, GLI for UK / imperial gallons, AMH for ampere-hours (for electrical vehicles). + + + + + + + + + + + + + + + + + + + + + The amount of fuel consumed for traveling a particular distance or temporal duration with the given vehicle (e.g. liters per 100 km).<br/><br/> + +<ul> +<li>Note 1: There are unfortunately no standard unit codes for liters per 100 km. Use <a class="localLink" href="/unitText">unitText</a> to indicate the unit of measurement, e.g. L/100 km.</li> +<li>Note 2: There are two ways of indicating the fuel consumption, <a class="localLink" href="/fuelConsumption">fuelConsumption</a> (e.g. 8 liters per 100 km) and <a class="localLink" href="/fuelEfficiency">fuelEfficiency</a> (e.g. 30 miles per gallon). They are reciprocal.</li> +<li>Note 3: Often, the absolute value is useful only when related to driving speed ("at 80 km/h") or usage pattern ("city traffic"). You can use <a class="localLink" href="/valueReference">valueReference</a> to link the value for the fuel consumption to another value.</li> +</ul> + + fuelConsumption + + + + + + + + + + + + + + + + + + + + + fuelEfficiency + The distance traveled per unit of fuel used; most commonly miles per gallon (mpg) or kilometers per liter (km/L).<br/><br/> + +<ul> +<li>Note 1: There are unfortunately no standard unit codes for miles per gallon or kilometers per liter. Use <a class="localLink" href="/unitText">unitText</a> to indicate the unit of measurement, e.g. mpg or km/L.</li> +<li>Note 2: There are two ways of indicating the fuel consumption, <a class="localLink" href="/fuelConsumption">fuelConsumption</a> (e.g. 8 liters per 100 km) and <a class="localLink" href="/fuelEfficiency">fuelEfficiency</a> (e.g. 30 miles per gallon). They are reciprocal.</li> +<li>Note 3: Often, the absolute value is useful only when related to driving speed ("at 80 km/h") or usage pattern ("city traffic"). You can use <a class="localLink" href="/valueReference">valueReference</a> to link the value for the fuel economy to another value.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + The type of fuel suitable for the engine or engines of the vehicle. If the vehicle has only one engine, this property can be attached directly to the vehicle. + fuelType + + + + + + + + + + + + + + + + + + + + + + Type of fulfillment applicable to the <a class="localLink" href="/ShippingService">ShippingService</a>. + fulfillmentType + + + + + + + + + + + + + + + + + + + + + The degree of mobility the joint allows. + functionalClass + + + + + + + + + + + + + + + + + + + + + + fundedItem + Indicates something directly or indirectly funded or sponsored through a <a class="localLink" href="/Grant">Grant</a>. See also <a class="localLink" href="/ownershipFundingInfo">ownershipFundingInfo</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + + funder + A person or organization that supports (sponsors) something through some kind of financial contribution. + + + + + + + + + + + + + + + + + + + + + + + + + + + funding + + A <a class="localLink" href="/Grant">Grant</a> that directly or indirectly provide funding or sponsorship for this item. See also <a class="localLink" href="/ownershipFundingInfo">ownershipFundingInfo</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + + Video game which is played on this server. + game + + + + + + + + + + + + + + + + + + + + + gameAvailabilityType + Indicates the availability type of the game content associated with this action, such as whether it is a full version or a demo. + + + + + + + + + + + + + + + + + + + + + gameEdition + The edition of a video game. + + + + + + + + + + + + + + + + + + + + An item is an object within the game world that can be collected by a player or, occasionally, a non-player character. + gameItem + + + + + + + + + + + + + + + + + + + + + + gameLocation + Real or fictional location of the game (or part of game). + + + + + + + + + + + + + + + + + + + + + + + The electronic systems used to play <a href="http://en.wikipedia.org/wiki/Category:Video_game_platforms">video games</a>. + gamePlatform + + + + + + + + + + + + + + + + + + + + + + + The server on which it is possible to play the game. + gameServer + + + + + + + + + + + + + + + + + + + + + gameTip + Links to tips, tactics, etc. + + + + + + + + + + + + + + + + + + + + + Gender of something, typically a <a class="localLink" href="/Person">Person</a>, but possibly also fictional characters, animals, etc. While https://schema.org/Male and https://schema.org/Female may be used, text strings are also acceptable for people who are not a binary gender. The <a class="localLink" href="/gender">gender</a> property can also be used in an extended sense to cover e.g. the gender of sports teams. As with the gender of individuals, we do not try to enumerate all possibilities. A mixed-gender <a class="localLink" href="/SportsTeam">SportsTeam</a> can be indicated with a text value of "Mixed". + gender + + + + + + + + + + + + + + + + + + + + + + genre + Genre of the creative work, broadcast channel or group. + + + + + + + + + + + + + + + + + + + + + + geo + The geo coordinates of the place. + + + + + + + + + + + + + + + + + + + + + + geoContains + Represents a relationship between two geometries (or the places they represent), relating a containing geometry to a contained geometry. "a contains b iff no points of b lie in the exterior of a, and at least one point of the interior of b lies in the interior of a". As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + + + + + + + + + + + + + + + + + + + + + + + geoCoveredBy + Represents a relationship between two geometries (or the places they represent), relating a geometry to another that covers it. As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + + + + + + + + + + + + + + + + + + + + + + + geoCovers + Represents a relationship between two geometries (or the places they represent), relating a covering geometry to a covered geometry. "Every point of b is a point of (the interior or boundary of) a". As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + + + + + + + + + + + + + + + + + + + + + + + Represents a relationship between two geometries (or the places they represent), relating a geometry to another that crosses it: "a crosses b: they have some but not all interior points in common, and the dimension of the intersection is less than that of at least one of them". As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + geoCrosses + + + + + + + + + + + + + + + + + + + + + + + geoDisjoint + Represents spatial relations in which two geometries (or the places they represent) are topologically disjoint: "they have no point in common. They form a set of disconnected geometries." (A symmetric relationship, as defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>.) + + + + + + + + + + + + + + + + + + + + + + + Represents spatial relations in which two geometries (or the places they represent) are topologically equal, as defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. "Two geometries are topologically equal if their interiors intersect and no part of the interior or boundary of one geometry intersects the exterior of the other" (a symmetric relationship). + geoEquals + + + + + + + + + + + + + + + + + + + + + + + geoIntersects + Represents spatial relations in which two geometries (or the places they represent) have at least one point in common. As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + + + + + + + + + + + + + + + + + + + + + + + Indicates the GeoCoordinates at the centre of a GeoShape, e.g. GeoCircle. + geoMidpoint + + + + + + + + + + + + + + + + + + + + + geoOverlaps + Represents a relationship between two geometries (or the places they represent), relating a geometry to another that geospatially overlaps it, i.e. they have some but not all points in common. As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + + + + + + + + + + + + + + + + + + + + + + + geoRadius + Indicates the approximate radius of a GeoCircle (metres unless indicated otherwise via Distance notation). + + + + + + + + + + + + + + + + + + + + + + Represents spatial relations in which two geometries (or the places they represent) touch: "they have at least one boundary point in common, but no interior points." (A symmetric relationship, as defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>.) + geoTouches + + + + + + + + + + + + + + + + + + + + + + + Represents a relationship between two geometries (or the places they represent), relating a geometry to one that contains it, i.e. it is inside (i.e. within) its interior. As defined in <a href="https://en.wikipedia.org/wiki/DE-9IM">DE-9IM</a>. + geoWithin + + + + + + + + + + + + + + + + + + + + + + + The geographic area associated with the audience. + geographicArea + + + + + + + + + + + + + + + + + + + + + gettingTestedInfo + Information about getting tested (for a <a class="localLink" href="/MedicalCondition">MedicalCondition</a>), e.g. in the context of a pandemic. + + + + + + + + + + + + + + + + + + + + + givenName + Given name. In the U.S., the first name of a Person. + + + + + + + + + + + + + + + + + + + + globalLocationNumber + The <a href="http://www.gs1.org/gln">Global Location Number</a> (GLN, sometimes also referred to as International Location Number or ILN) of the respective organization, person, or place. The GLN is a 13-digit number used to identify parties and physical locations. + + + + + + + + + + + + + + + + + + + + + + + governmentBenefitsInfo + governmentBenefitsInfo provides information about government benefits associated with a SpecialAnnouncement. + + + + + + + + + + + + + + + + + + + + + The period of time after any due date that the borrower has to fulfil its obligations before a default (failure to pay) is deemed to have occurred. + gracePeriod + + + + + + + + + + + + + + + + + + + + + The person, organization, contact point, or audience that has been granted this permission. + grantee + + + + + + + + + + + + + + + + + + + + + + + + greater + This ordering relation for qualitative values indicates that the subject is greater than the object. + + + + + + + + + + + + + + + + + + + + + This ordering relation for qualitative values indicates that the subject is greater than or equal to the object. + greaterOrEqual + + + + + + + + + + + + + + + + + + + + + A Global Trade Item Number (<a href="https://www.gs1.org/standards/id-keys/gtin">GTIN</a>). GTINs identify trade items, including products and services, using numeric identification codes.<br/><br/> + +A correct <a class="localLink" href="/gtin">gtin</a> value should be a valid GTIN, which means that it should be an all-numeric string of either 8, 12, 13 or 14 digits, or a "GS1 Digital Link" URL based on such a string. The numeric component should also have a <a href="https://www.gs1.org/services/check-digit-calculator">valid GS1 check digit</a> and meet the other rules for valid GTINs. See also <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GS1's GTIN Summary</a> and <a href="https://en.wikipedia.org/wiki/Global_Trade_Item_Number">Wikipedia</a> for more details. Left-padding of the gtin values is not required or encouraged. The <a class="localLink" href="/gtin">gtin</a> property generalizes the earlier <a class="localLink" href="/gtin8">gtin8</a>, <a class="localLink" href="/gtin12">gtin12</a>, <a class="localLink" href="/gtin13">gtin13</a>, and <a class="localLink" href="/gtin14">gtin14</a> properties.<br/><br/> + +The GS1 <a href="https://www.gs1.org/standards/Digital-Link/">digital link specifications</a> expresses GTINs as URLs (URIs, IRIs, etc.). +Digital Links should be populated into the <a class="localLink" href="/hasGS1DigitalLink">hasGS1DigitalLink</a> attribute.<br/><br/> + +Note also that this is a definition for how to include GTINs in Schema.org data, and not a definition of GTINs in general - see the GS1 documentation for authoritative details. + gtin + + + + + + + + + + + + + + + + + + + + + + + + + The GTIN-12 code of the product, or the product to which the offer refers. The GTIN-12 is the 12-digit GS1 Identification Key composed of a U.P.C. Company Prefix, Item Reference, and Check Digit used to identify trade items. See <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GS1 GTIN Summary</a> for more details. + gtin12 + + + + + + + + + + + + + + + + + + + + + + gtin13 + The GTIN-13 code of the product, or the product to which the offer refers. This is equivalent to 13-digit ISBN codes and EAN UCC-13. Former 12-digit UPC codes can be converted into a GTIN-13 code by simply adding a preceding zero. See <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GS1 GTIN Summary</a> for more details. + + + + + + + + + + + + + + + + + + + + + + + + The GTIN-14 code of the product, or the product to which the offer refers. See <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GS1 GTIN Summary</a> for more details. + gtin14 + + + + + + + + + + + + + + + + + + + + + + + + The GTIN-8 code of the product, or the product to which the offer refers. This code is also known as EAN/UCC-8 or 8-digit EAN. See <a href="http://www.gs1.org/barcodes/technical/idkeys/gtin">GS1 GTIN Summary</a> for more details. + + + gtin8 + + + + + + + + + + + + + + + + + + + + + + A medical guideline related to this entity. + guideline + + + + + + + + + + + + + + + + + + + + + guidelineDate + Date on which this guideline's recommendation was made. + + + + + + + + + + + + + + + + + + guidelineSubject + The medical conditions, treatments, etc. that are the subject of the guideline. + + + + + + + + + + + + + + + + + + + + + handlingTime + The typical delay between the receipt of the order and the goods either leaving the warehouse or being prepared for pickup, in case the delivery method is on site pickup.<br/><br/> + +In the context of <a class="localLink" href="/ShippingDeliveryTime">ShippingDeliveryTime</a>, Typical properties: minValue, maxValue, unitCode (d for DAY). This is by common convention assumed to mean business days (if a unitCode is used, coded as "d"), i.e. only counting days when the business normally operates.<br/><br/> + +In the context of <a class="localLink" href="/ShippingService">ShippingService</a>, use the <a class="localLink" href="/ServicePeriod">ServicePeriod</a> format, that contains the same information in a structured form, with cut-off time, business days and duration. + + + + + + + + + + + + + + + + + + + + + + + hasAdultConsideration + Used to tag an item to be intended or suitable for consumption or use by adults only. + + + + + + + + + + + + + + + + + + + + + + + Indicates a BioChemEntity that (in some sense) has this BioChemEntity as a part. + hasBioChemEntityPart + + + + + + + + + + + + + + + + + + + + + + A symbolic representation of a BioChemEntity. For example, a nucleotide sequence of a Gene or an amino acid sequence of a Protein. + hasBioPolymerSequence + + + + + + + + + + + + + + + + + + + + + hasBroadcastChannel + A broadcast channel of a broadcast service. + + + + + + + + + + + + + + + + + + + + + + + hasCategoryCode + A Category code contained in this code set. + + + + + + + + + + + + + + + + + + + + + Certification information about a product, organization, service, place, or person. + hasCertification + + + + + + + + + + + + + + + + + + + + + + + + + A course or class that is one of the learning opportunities that constitute an educational / occupational program. No information is implied about whether the course is mandatory or optional; no guarantee is implied about whether the course will be available to everyone on the program. + hasCourse + + + + + + + + + + + + + + + + + + + + + hasCourseInstance + An offering of the course at a specific time and place or through specific media or mode of study or to a specific section of students. + + + + + + + + + + + + + + + + + + + + + hasCredential + A credential awarded to the Person or Organization. + + + + + + + + + + + + + + + + + + + + + + A Defined Term contained in this term set. + hasDefinedTerm + + + + + + + + + + + + + + + + + + + + + + hasDeliveryMethod + Method used for delivery or shipping. + + + + + + + + + + + + + + + + + + + + + + hasDigitalDocumentPermission + A permission related to the access to this document (e.g. permission to read or write an electronic document). For a public document, specify a grantee with an Audience with audienceType equal to "public". + + + + + + + + + + + + + + + + + + + + + Indicates whether some facility (e.g. <a class="localLink" href="/FoodEstablishment">FoodEstablishment</a>, <a class="localLink" href="/CovidTestingFacility">CovidTestingFacility</a>) offers a service that can be used by driving through in a car. In the case of <a class="localLink" href="/CovidTestingFacility">CovidTestingFacility</a> such facilities could potentially help with social distancing from other potentially-infected users. + hasDriveThroughService + + + + + + + + + + + + + + + + + + Defines the energy efficiency Category (also known as "class" or "rating") for a product according to an international energy efficiency standard. + hasEnergyConsumptionDetails + + + + + + + + + + + + + + + + + + + + + Defines the energy efficiency Category (which could be either a rating out of range of values or a yes/no certification) for a product according to an international energy efficiency standard. + hasEnergyEfficiencyCategory + + + + + + + + + + + + + + + + + + + + + + The <a href="https://www.gs1.org/standards/gs1-digital-link">GS1 digital link</a> associated with the object. This URL should conform to the particular requirements of digital links. The link should only contain the Application Identifiers (AIs) that are relevant for the entity being annotated, for instance a <a class="localLink" href="/Product">Product</a> or an <a class="localLink" href="/Organization">Organization</a>, and for the correct granularity. In particular, for products:<ul><li>A Digital Link that contains a serial number (AI <code>21</code>) should only be present on instances of <a class="localLink" href="/IndividualProduct">IndividualProduct</a></li><li>A Digital Link that contains a lot number (AI <code>10</code>) should be annotated as <a class="localLink" href="/SomeProduct">SomeProduct</a> if only products from that lot are sold, or <a class="localLink" href="/IndividualProduct">IndividualProduct</a> if there is only a specific product.</li><li>A Digital Link that contains a global model number (AI <code>8013</code>) should be attached to a <a class="localLink" href="/Product">Product</a> or a <a class="localLink" href="/ProductModel">ProductModel</a>.</li></ul> Other item types should be adapted similarly. + hasGS1DigitalLink + + + + + + + + + + + + + + + + + + + + + + + hasHealthAspect + Indicates the aspect or aspects specifically addressed in some <a class="localLink" href="/HealthTopicContent">HealthTopicContent</a>. For example, that the content is an overview, or that it talks about treatment, self-care, treatments or their side-effects. + + + + + + + + + + + + + + + + + + + + + hasMap + A URL to a map of the place. + + + + + + + + + + + + + + + + + + + + + hasMeasurement + A measurement of an item, For example, the inseam of pants, the wheel size of a bicycle, the gauge of a screw, or the carbon footprint measured for certification by an authority. Usually an exact measurement, but can also be a range of measurements for adjustable products, for example belts and ski bindings. + + + + + + + + + + + + + + + + + + + + + + + + MemberProgram offered by an Organization, for example an eCommerce merchant or an airline. + hasMemberProgram + + + + + + + + + + + + + + + + + + + + + hasMenu + Either the actual menu as a structured representation, as text, or a URL of the menu. + + + + + + + + + + + + + + + + + + + + + hasMenuItem + A food or drink item contained in a menu or menu section. + + + + + + + + + + + + + + + + + + + + + + hasMenuSection + A subgrouping of the menu (by dishes, course, serving time period, etc.). + + + + + + + + + + + + + + + + + + + + + + hasMerchantReturnPolicy + Specifies a MerchantReturnPolicy that may be applicable. + + + + + + + + + + + + + + + + + + + + + + + Molecular function performed by this BioChemEntity; please use PropertyValue if you want to include any evidence. + hasMolecularFunction + + + + + + + + + + + + + + + + + + + + + + hasOccupation + The Person's occupation. For past professions, use Role for expressing dates. + + + + + + + + + + + + + + + + + + + + + hasOfferCatalog + Indicates an OfferCatalog listing for this Organization, Person, or Service. + + + + + + + + + + + + + + + + + + + + + + + hasPOS + Points-of-Sales operated by the organization or person. + + + + + + + + + + + + + + + + + + + + + + Indicates an item or CreativeWork that is part of this item, or CreativeWork (in some sense). + hasPart + + + + + + + + + + + + + + + + + + + + + + + hasProductReturnPolicy + Indicates a ProductReturnPolicy that may be applicable. + + + + + + + + + + + + + + + + + + + + + + A common representation such as a protein sequence or chemical structure for this entity. For images use schema.org/image. + hasRepresentation + + + + + + + + + + + + + + + + + + + + + Specification of a shipping service offered by the organization. + hasShippingService + + + + + + + + + + + + + + + + + + + + + + hasStore + An eCommerce store part of an online marketplace. + + + + + + + + + + + + + + + + + + + + + hasTierBenefit + A member benefit for a particular tier of a loyalty program. + + + + + + + + + + + + + + + + + + + + + hasTierRequirement + A requirement for a user to join a membership tier, for example: a CreditCard if the tier requires sign up for a credit card, A UnitPriceSpecification if the user is required to pay a (periodic) fee, or a MonetaryAmount if the user needs to spend a minimum amount to join the tier. If a tier is free to join then this property does not need to be specified. + + + + + + + + + + + + + + + + + + + + + + + + The tiers of a member program. + hasTiers + + + + + + + + + + + + + + + + + + + + + Indicates a <a class="localLink" href="/Product">Product</a> that is a member of this <a class="localLink" href="/ProductGroup">ProductGroup</a> (or <a class="localLink" href="/ProductModel">ProductModel</a>). + + hasVariant + + + + + + + + + + + + + + + + + + + + + headline + Headline of the article. + + + + + + + + + + + + + + + + + + + + healthCondition + Specifying the health condition(s) of a patient, medical study, or other target audience. + + + + + + + + + + + + + + + + + + + + + + + healthPlanCoinsuranceOption + Whether the coinsurance applies before or after deductible, etc. TODO: Is this a closed set? + + + + + + + + + + + + + + + + + + + + The rate of coinsurance expressed as a number between 0.0 and 1.0. + healthPlanCoinsuranceRate + + + + + + + + + + + + + + + + + + healthPlanCopay + The copay amount. + + + + + + + + + + + + + + + + + + + + + Whether the copay is before or after deductible, etc. TODO: Is this a closed set? + healthPlanCopayOption + + + + + + + + + + + + + + + + + + + + The costs to the patient for services under this network or formulary. + healthPlanCostSharing + + + + + + + + + + + + + + + + + + + healthPlanDrugOption + TODO. + + + + + + + + + + + + + + + + + + + + healthPlanDrugTier + The tier(s) of drugs offered by this formulary or insurance plan. + + + + + + + + + + + + + + + + + + + + + healthPlanId + The 14-character, HIOS-generated Plan ID number. (Plan IDs must be unique, even across different markets.) + + + + + + + + + + + + + + + + + + + + healthPlanMarketingUrl + The URL that goes directly to the plan brochure for the specific standard plan or plan variation. + + + + + + + + + + + + + + + + + + + + healthPlanNetworkId + Name or unique ID of network. (Networks are often reused across different insurance plans.) + + + + + + + + + + + + + + + + + + + + + The tier(s) for this network. + healthPlanNetworkTier + + + + + + + + + + + + + + + + + + + + healthPlanPharmacyCategory + The category or type of pharmacy associated with this cost sharing. + + + + + + + + + + + + + + + + + + + + Indicates data describing a hospital, e.g. a CDC <a class="localLink" href="/CDCPMDRecord">CDCPMDRecord</a> or as some kind of <a class="localLink" href="/Dataset">Dataset</a>. + healthcareReportingData + + + + + + + + + + + + + + + + + + + + + + height + The height of the item. + + + + + + + + + + + + + + + + + + + + + + + + + + + The highest price of all offers available.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + highPrice + + + + + + + + + + + + + + + + + + + + + hiringOrganization + Organization or Person offering the job position. + + + + + + + + + + + + + + + + + + + + + + <a class="localLink" href="/ArchiveOrganization">ArchiveOrganization</a> that holds, keeps or maintains the <a class="localLink" href="/ArchiveComponent">ArchiveComponent</a>. + + holdingArchive + + + + + + + + + + + + + + + + + + + + + homeLocation + A contact location for a person's residence. + + + + + + + + + + + + + + + + + + + + + + + homeTeam + + The home team in a sports event. + + + + + + + + + + + + + + + + + + + + + + An honorific prefix preceding a Person's name such as Dr/Mrs/Mr. + honorificPrefix + + + + + + + + + + + + + + + + + + + + honorificSuffix + An honorific suffix following a Person's name such as M.D./PhD/MSCSW. + + + + + + + + + + + + + + + + + + + + hospitalAffiliation + A hospital with which the physician or office is affiliated. + + + + + + + + + + + + + + + + + + + + + hostingOrganization + The Organization (airline, travelers' club, retailer, etc.) the membership is made with or which offers the MemberProgram. + + + + + + + + + + + + + + + + + + + + + + hoursAvailable + The hours during which this service or contact is available. + + + + + + + + + + + + + + + + + + + + + + + How the procedure is performed. + howPerformed + + + + + + + + + + + + + + + + + + + + An HTTP method that specifies the appropriate HTTP method for a request to an HTTP EntryPoint. Values are capitalized strings as used in HTTP. + httpMethod + + + + + + + + + + + + + + + + + + + + iataCode + IATA identifier for an airline or airport. + + + + + + + + + + + + + + + + + + + + + ICAO identifier for an airport. + icaoCode + + + + + + + + + + + + + + + + + + + + identifier + The identifier property represents any kind of identifier for any kind of <a class="localLink" href="/Thing">Thing</a>, such as ISBNs, GTIN codes, UUIDs etc. Schema.org provides dedicated properties for representing many of these, either as textual strings or as URL (URI) links. See <a href="/docs/datamodel.html#identifierBg">background notes</a> for more details. + + + + + + + + + + + + + + + + + + + + + identifyingExam + A physical examination that can identify this sign. + + + + + + + + + + + + + + + + + + + + + A diagnostic test that can identify this sign. + identifyingTest + + + + + + + + + + + + + + + + + + + + + illustrator + The illustrator of the book. + + + + + + + + + + + + + + + + + + + + + An image of the item. This can be a <a class="localLink" href="/URL">URL</a> or a fully described <a class="localLink" href="/ImageObject">ImageObject</a>. + image + + + + + + + + + + + + + + + + + + + + + Imaging technique used. + imagingTechnique + + + + + + + + + + + + + + + + + + + + + inAlbum + The album to which this recording belongs. + + + + + + + + + + + + + + + + + + + + + inBroadcastLineup + The CableOrSatelliteService offering the channel. + + + + + + + + + + + + + + + + + + + + + inChI + + Non-proprietary identifier for molecular entity that can be used in printed and electronic data sources thus enabling easier linking of diverse data compilations. + + + + + + + + + + + + + + + + + + + + + InChIKey is a hashed version of the full InChI (using the SHA-256 algorithm). + inChIKey + + + + + + + + + + + + + + + + + + + + + A <a class="localLink" href="/CategoryCodeSet">CategoryCodeSet</a> that contains this category code. + inCodeSet + + + + + + + + + + + + + + + + + + + + + + inDefinedTermSet + A <a class="localLink" href="/DefinedTermSet">DefinedTermSet</a> that contains this term. + + + + + + + + + + + + + + + + + + + + + inLanguage + The language of the content or performance or used in an action. Please use one of the language codes from the <a href="http://tools.ietf.org/html/bcp47">IETF BCP 47 standard</a>. See also <a class="localLink" href="/availableLanguage">availableLanguage</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + inPlaylist + The playlist to which this recording belongs. + + + + + + + + + + + + + + + + + + + + + inProductGroupWithID + Indicates the <a class="localLink" href="/productGroupID">productGroupID</a> for a <a class="localLink" href="/ProductGroup">ProductGroup</a> that this product <a class="localLink" href="/isVariantOf">isVariantOf</a>. + + + + + + + + + + + + + + + + + + + + Are in-store returns offered? (For more advanced return methods use the <a class="localLink" href="/returnMethod">returnMethod</a> property.) + inStoreReturnsOffered + + + + + + + + + + + + + + + + + + inSupportOf + Qualification, candidature, degree, application that Thesis supports. + + + + + + + + + + + + + + + + + + + + Describes the amount that can be redeemed from this incentive.<br/><br/> + +<a class="localLink" href="/QuantitativeValue">QuantitativeValue</a>: Use this for incentives based on price (either raw amount or percentage-based). For a raw amount example, "You can claim $2,500 - $7,500 from the total cost of installation" would be represented as the following:<br/><br/> + +<pre><code>{ + "@type": "QuantitativeValue", + “minValue”: 2500, + “maxValue”: 7500, + "unitCode": "USD" +} +</code></pre> + +<a class="localLink" href="/QuantitivateValue">QuantitivateValue</a> can also be used for percentage amounts. In such cases, value is used to represent the incentive’s percentage, while maxValue represents a limit (if one exists) to that incentive. The unitCode should be 'P1' and the unitText should be '%', while valueReference should be used for holding the currency type. For example, "You can claim up to 30% of the total cost of installation, up to a maximum of $7,500" would be:<br/><br/> + +<pre><code>{ + "@type": "QuantitativeValue", + "value": 30, + "unitCode": "P1", + "unitText": "%", + “maxValue”: 7500, + “valueReference”: “USD” +} +</code></pre> + +<a class="localLink" href="/UnitPriceSpecification">UnitPriceSpecification</a>: Use this for incentives that are based on amounts rather than price. For example, a net metering rebate that pays $10/kWh, up to $1,000:<br/><br/> + +<pre><code>{ + "@type": "UnitPriceSpecification", + "price": 10, + "priceCurrency": "USD", + "referenceQuantity": 1, + "unitCode": "DO3", + "unitText": "kw/h", + "maxPrice": 1000, + "description": "$10 / kwh up to $1000" +} +</code></pre> + +<a class="localLink" href="/LoanOrCredit">LoanOrCredit</a>: Use for incentives that are loan based. For example, a loan of $4,000 - $50,000 with a repayment term of 10 years, interest free would look like:<br/><br/> + +<pre><code>{ + "@type": "LoanOrCredit", + "loanTerm": { + "@type":"QuantitativeValue", + "value":"10", + "unitCode": "ANN" + }, + "amount":[ + { + "@type": "QuantitativeValue", + "Name":"fixed interest rate", + "value":"0", + }, + ], + "amount":[ + { + "@type": "MonetaryAmount", + "Name":"min loan amount", + "value":"4000", + "currency":"CAD" + }, + { + "@type": "MonetaryAmount", + "Name":"max loan amount", + "value":"50000", + "currency":"CAD" + } + ], +} +</code></pre> + +In summary: <ul><li>Use <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> for absolute/percentage-based incentives applied on the price of a good/service.</li> +<li>Use <a class="localLink" href="/UnitPriceSpecification">UnitPriceSpecification</a> for incentives based on a per-unit basis (e.g. net metering).</li> +<li>Use <a class="localLink" href="/LoanOrCredit">LoanOrCredit</a> for loans/credits.</li> +</ul>. + incentiveAmount + + + + + + + + + + + + + + + + + + + + + + + Description of bonus and commission compensation aspects of the job. + incentiveCompensation + + + + + + + + + + + + + + + + + + + + The status of the incentive (active, on hold, retired, etc.). + incentiveStatus + + + + + + + + + + + + + + + + + + + + + The type of incentive offered (tax credit/rebate, tax deduction, tax waiver, subsidies, etc.). + incentiveType + + + + + + + + + + + + + + + + + + + + + + Description of bonus and commission compensation aspects of the job. + incentives + + + + + + + + + + + + + + + + + + + + The type or specific product(s) and/or service(s) being incentivized.<br/><br/> + +DefinedTermSets are used for product and service categories such as the United Nations Standard Products and Services Code:<br/><br/> + +<pre><code>{ + "@type": "DefinedTerm", + "inDefinedTermSet": "https://www.unspsc.org/", + "termCode": "261315XX", + "name": "Photovoltaic module" +} +</code></pre> + +For a specific product or service, use the Product type:<br/><br/> + +<pre><code>{ + "@type": "Product", + "name": "Kenmore White 17" Microwave", +} +</code></pre> + +For multiple different incentivized items, use multiple <a class="localLink" href="/DefinedTerm">DefinedTerm</a> or <a class="localLink" href="/Product">Product</a>. + incentivizedItem + + + + + + + + + + + + + + + + + + + + + + Smaller compositions included in this work (e.g. a movement in a symphony). + includedComposition + + + + + + + + + + + + + + + + + + + + + includedDataCatalog + + A data catalog which contains this dataset (this property was previously 'catalog', preferred name is now 'includedInDataCatalog'). + + + + + + + + + + + + + + + + + + + + + + includedInDataCatalog + A data catalog which contains this dataset. + + + + + + + + + + + + + + + + + + + + + The insurance plans that cover this drug. + includedInHealthInsurancePlan + + + + + + + + + + + + + + + + + + + + + includedRiskFactor + A modifiable or non-modifiable risk factor included in the calculation, e.g. age, coexisting condition. + + + + + + + + + + + + + + + + + + + + + includesAttraction + Attraction located at destination. + + + + + + + + + + + + + + + + + + + + + Formularies covered by this plan. + includesHealthPlanFormulary + + + + + + + + + + + + + + + + + + + + + Networks covered by this plan. + includesHealthPlanNetwork + + + + + + + + + + + + + + + + + + + + + includesObject + This links to a node or nodes indicating the exact quantity of the products included in an <a class="localLink" href="/Offer">Offer</a> or <a class="localLink" href="/ProductCollection">ProductCollection</a>. + + + + + + + + + + + + + + + + + + + + + + + incomeLimit + Optional. Income limit for which the incentive is applicable for.<br/><br/> + +If MonetaryAmount is specified, this should be based on annualized income (e.g. if an incentive is limited to those making <$114,000 annually):<br/><br/> + +<pre><code>{ + "@type": "MonetaryAmount", + "maxValue": 114000, + "currency": "USD", +} +</code></pre> + +Use Text for incentives that are limited based on other criteria, for example if an incentive is only available to recipients making 120% of the median poverty income in their area. + + + + + + + + + + + + + + + + + + + + + increasesRiskOf + The condition, complication, etc. influenced by this factor. + + + + + + + + + + + + + + + + + + + + + industry + The industry associated with the job position. + + + + + + + + + + + + + + + + + + + + + ineligibleRegion + The ISO 3166-1 (ISO 3166-1 alpha-2) or ISO 3166-2 code, the place, or the GeoShape for the geo-political region(s) for which the offer or delivery charge specification is not valid, e.g. a region where the transaction is not allowed.<br/><br/> + +See also <a class="localLink" href="/eligibleRegion">eligibleRegion</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + The actual infectious agent, such as a specific bacterium. + infectiousAgent + + + + + + + + + + + + + + + + + + + + The class of infectious agent (bacteria, prion, etc.) that causes the disease. + infectiousAgentClass + + + + + + + + + + + + + + + + + + + + + + + ingredients + A single ingredient used in the recipe, e.g. sugar, flour or garlic. + + + + + + + + + + + + + + + + + + + + inker + The individual who traces over the pencil drawings in ink after pencils are complete. + + + + + + + + + + + + + + + + + + + + + + + insertion + The place of attachment of a muscle, or what the muscle moves. + + + + + + + + + + + + + + + + + + + + + URL at which the app may be installed, if different from the URL of the item. + installUrl + + + + + + + + + + + + + + + + + + + + A person assigned to instruct or provide instructional assistance for the <a class="localLink" href="/CourseInstance">CourseInstance</a>. + instructor + + + + + + + + + + + + + + + + + + + + + instrument + The object that helped the agent perform the action. E.g. John wrote a book with <em>a pen</em>. + + + + + + + + + + + + + + + + + + + + + Quantitative measure gauging the degree of force involved in the exercise, for example, heartbeats per minute. May include the velocity of the movement. + intensity + + + + + + + + + + + + + + + + + + + + + interactingDrug + Another drug that is known to interact with this drug in a way that impacts the effect of this drug or causes a risk to the patient. Note: disease interactions are typically captured as contraindications. + + + + + + + + + + + + + + + + + + + + + This property is deprecated, alongside the UserInteraction types on which it depended. + + interactionCount + + + + interactionService + The WebSite or SoftwareApplication where the interactions took place. + + + + + + + + + + + + + + + + + + + + + + interactionStatistic + The number of interactions for the CreativeWork using the WebSite or SoftwareApplication. The most specific child type of InteractionCounter should be used. + + + + + + + + + + + + + + + + + + + + + + + interactionType + The Action representing the type of interaction. For up votes, +1s, etc. use <a class="localLink" href="/LikeAction">LikeAction</a>. For down votes use <a class="localLink" href="/DislikeAction">DislikeAction</a>. Otherwise, use the most specific Action. + + + + + + + + + + + + + + + + + + + + + interactivityType + The predominant mode of learning supported by the learning resource. Acceptable values are 'active', 'expositive', or 'mixed'. + + + + + + + + + + + + + + + + + + + + interestRate + The interest rate, charged or paid, applicable to the financial product. Note: This is different from the calculated annualPercentageRate. + + + + + + + + + + + + + + + + + + + + + + + Used to indicate a specific claim contained, implied, translated or refined from the content of a <a class="localLink" href="/MediaObject">MediaObject</a> or other <a class="localLink" href="/CreativeWork">CreativeWork</a>. The interpreting party can be indicated using <a class="localLink" href="/claimInterpreter">claimInterpreter</a>. + interpretedAsClaim + + + + + + + + + + + + + + + + + + + + + + The current approximate inventory level for the item or items. + inventoryLevel + + + + + + + + + + + + + + + + + + + + + + + inverseOf + Relates a property to a property that is its inverse. Inverse properties relate the same pairs of items to each other, but in reversed direction. For example, the 'alumni' and 'alumniOf' properties are inverseOf each other. Some properties don't have explicit inverses; in these situations RDFa and JSON-LD syntax for reverse properties can be used. + + + + + + + + + + + + + + + + + + + + + isAcceptingNewPatients + Whether the provider is accepting new patients. + + + + + + + + + + + + + + + + + + A flag to signal that the item, event, or place is accessible for free. + isAccessibleForFree + + + + + + + + + + + + + + + + + + + + A pointer to another product (or multiple products) for which this product is an accessory or spare part. + isAccessoryOrSparePartFor + + + + + + + + + + + + + + + + + + + + + isAvailableGenerically + True if the drug is available in a generic form (regardless of name). + + + + + + + + + + + + + + + + + + A resource from which this work is derived or from which it is a modification or adaptation. + isBasedOn + + + + + + + + + + + + + + + + + + + + + + A resource that was used in the creation of this resource. This term can be repeated for multiple sources. For example, http://example.com/great-multiplication-intro.html. + + isBasedOnUrl + + + + + + + + + + + + + + + + + + + + + + isConsumableFor + A pointer to another product (or multiple products) for which this product is a consumable. + + + + + + + + + + + + + + + + + + + + + + isEncodedByBioChemEntity + Another BioChemEntity encoding by this one. + + + + + + + + + + + + + + + + + + + + + Indicates whether this content is family friendly. + isFamilyFriendly + + + + + + + + + + + + + + + + + + + + Indicates whether the offer was accepted as a gift for someone other than the buyer. + isGift + + + + + + + + + + + + + + + + + + Biological process this BioChemEntity is involved in; please use PropertyValue if you want to include any evidence. + isInvolvedInBiologicalProcess + + + + + + + + + + + + + + + + + + + + + + True if the broadcast is of a live event. + isLiveBroadcast + + + + + + + + + + + + + + + + + + isLocatedInSubcellularLocation + Subcellular location where this BioChemEntity is located; please use PropertyValue if you want to include any evidence. + + + + + + + + + + + + + + + + + + + + + + Indicates an item or CreativeWork that this item, or CreativeWork (in some sense), is part of. + isPartOf + + + + + + + + + + + + + + + + + + + + + + Indicates a BioChemEntity that is (in some sense) a part of this BioChemEntity. + + isPartOfBioChemEntity + + + + + + + + + + + + + + + + + + + + + isPlanForApartment + Indicates some accommodation that this floor plan describes. + + + + + + + + + + + + + + + + + + + + + isProprietary + True if this item's name is a proprietary/brand name (vs. generic name). + + + + + + + + + + + + + + + + + + + A pointer to another, somehow related product (or multiple products). + isRelatedTo + + + + + + + + + + + + + + + + + + + + + + + Whether the 3DModel allows resizing. For example, room layout applications often do not allow 3DModel elements to be resized to reflect reality. + isResizable + + + + + + + + + + + + + + + + + + isSimilarTo + A pointer to another, functionally similar product (or multiple products). + + + + + + + + + + + + + + + + + + + + + + + isStoreOn + The eCommerce marketplace this online store is on. + + + + + + + + + + + + + + + + + + + + + The member program this tier is a part of. + + isTierOf + + + + + + + + + + + + + + + + + + + + + isUnlabelledFallback + This can be marked 'true' to indicate that some published <a class="localLink" href="/DeliveryTimeSettings">DeliveryTimeSettings</a> or <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a> are intended to apply to all <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a> published by the same merchant, when referenced by a <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> in those settings. It is not meaningful to use a 'true' value for this property alongside a transitTimeLabel (for <a class="localLink" href="/DeliveryTimeSettings">DeliveryTimeSettings</a>) or shippingLabel (for <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a>), since this property is for use with unlabelled settings. + + + + + + + + + + + + + + + + + + + Indicates the kind of product that this is a variant of. In the case of <a class="localLink" href="/ProductModel">ProductModel</a>, this is a pointer (from a ProductModel) to a base product from which this product is a variant. It is safe to infer that the variant inherits all product features from the base model, unless defined locally. This is not transitive. In the case of a <a class="localLink" href="/ProductGroup">ProductGroup</a>, the group description also serves as a template, representing a set of Products that vary on explicitly defined, specific dimensions only (so it defines both a set of variants, as well as which values distinguish amongst those variants). When used with <a class="localLink" href="/ProductGroup">ProductGroup</a>, this property can apply to any <a class="localLink" href="/Product">Product</a> included in the group. + isVariantOf + + + + + + + + + + + + + + + + + + + + + + + + + The ISBN of the book. + isbn + + + + + + + + + + + + + + + + + + + + The International Standard of Industrial Classification of All Economic Activities (ISIC), Revision 4 code for a particular organization, business person, or place. + isicV4 + + + + + + + + + + + + + + + + + + + + + + iso6523Code + An organization identifier as defined in <a href="https://en.wikipedia.org/wiki/ISO/IEC_6523">ISO 6523(-1)</a>. The identifier should be in the <code>XXXX:YYYYYY:ZZZ</code> or <code>XXXX:YYYYYY</code>format. Where <code>XXXX</code> is a 4 digit <em>ICD</em> (International Code Designator), <code>YYYYYY</code> is an <em>OID</em> (Organization Identifier) with all formatting characters (dots, dashes, spaces) removed with a maximal length of 35 characters, and <code>ZZZ</code> is an optional OPI (Organization Part Identifier) with a maximum length of 35 characters. The various components (ICD, OID, OPI) are joined with a colon character (ASCII <code>0x3a</code>). Note that many existing organization identifiers defined as attributes like <a href="https://schema.org/leiCode">leiCode</a> (<code>0199</code>), <a href="https://schema.org/duns">duns</a> (<code>0060</code>) or <a href="https://schema.org/globalLocationNumber">GLN</a> (<code>0088</code>) can be expressed using ISO-6523. If possible, ISO-6523 codes should be preferred to populating <a href="https://schema.org/vatID">vatID</a> or <a href="https://schema.org/taxID">taxID</a>, as ISO identifiers are less ambiguous. + + + + + + + + + + + + + + + + + + + + isrcCode + The International Standard Recording Code for the recording. + + + + + + + + + + + + + + + + + + + + issn + + The International Standard Serial Number (ISSN) that identifies this serial publication. You can repeat this property to identify different formats of, or the linking ISSN (ISSN-L) for, this serial publication. + + + + + + + + + + + + + + + + + + + + + + + Identifies the issue of publication; for example, "iii" or "2". + + issueNumber + + + + + + + + + + + + + + + + + + + + + issuedBy + The organization issuing the item, for example a <a class="localLink" href="/Permit">Permit</a>, <a class="localLink" href="/Ticket">Ticket</a>, or <a class="localLink" href="/Certification">Certification</a>. + + + + + + + + + + + + + + + + + + + + + + + The service through which the permit was granted. + issuedThrough + + + + + + + + + + + + + + + + + + + + + iswcCode + The International Standard Musical Work Code for the composition. + + + + + + + + + + + + + + + + + + + + An entity represented by an entry in a list or data feed (e.g. an 'artist' in a list of 'artists'). + item + + + + + + + + + + + + + + + + + + + + + + itemCondition + A predefined value from OfferItemCondition specifying the condition of the product or service, or the products or services included in the offer. Also used for product return policies to specify the condition of products accepted for returns. + + + + + + + + + + + + + + + + + + + + + + + + itemDefectReturnFees + The type of return fees for returns of defect products. + + + + + + + + + + + + + + + + + + + + + The method (from an enumeration) by which the customer obtains a return shipping label for a defect product. + itemDefectReturnLabelSource + + + + + + + + + + + + + + + + + + + + + itemDefectReturnShippingFeesAmount + Amount of shipping costs for defect product returns. Applicable when property <a class="localLink" href="/itemDefectReturnFees">itemDefectReturnFees</a> equals <a class="localLink" href="/ReturnShippingFees">ReturnShippingFees</a>. + + + + + + + + + + + + + + + + + + + + + For itemListElement values, you can use simple strings (e.g. "Peter", "Paul", "Mary"), existing entities, or use ListItem.<br/><br/> + +Text values are best if the elements in the list are plain strings. Existing entities are best for a simple, unordered list of existing things in your data. ListItem is used with ordered lists when you want to provide additional context about the element in that list or when the same item might be in different places in different lists.<br/><br/> + +Note: The order of elements in your mark-up is not sufficient for indicating the order or elements. Use ListItem with a 'position' property in such cases. + itemListElement + + + + + + + + + + + + + + + + + + + + + + itemListOrder + Type of ordering (e.g. Ascending, Descending, Unordered). + + + + + + + + + + + + + + + + + + + + + + Current location of the item. + itemLocation + + + + + + + + + + + + + + + + + + + + + + itemOffered + An item being offered (or demanded). The transactional nature of the offer or demand is documented using <a class="localLink" href="/businessFunction">businessFunction</a>, e.g. sell, lease etc. While several common expected types are listed explicitly in this definition, others can be used. Using a second type, such as Product or a subtype of Product, can clarify the nature of the offer. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + The item that is being reviewed/rated. + itemReviewed + + + + + + + + + + + + + + + + + + + + + + Item(s) being shipped. + itemShipped + + + + + + + + + + + + + + + + + + + + + Destination(s) ( <a class="localLink" href="/Place">Place</a> ) that make up a trip. For a trip where destination order is important use <a class="localLink" href="/ItemList">ItemList</a> to specify that order (see examples). + itinerary + + + + + + + + + + + + + + + + + + + + + + Systematic method of naming chemical compounds as recommended by the International Union of Pure and Applied Chemistry (IUPAC). + iupacName + + + + + + + + + + + + + + + + + + + + Description of benefits associated with the job. + jobBenefits + + + + + + + + + + + + + + + + + + + + jobImmediateStart + An indicator as to whether a position is available for an immediate start. + + + + + + + + + + + + + + + + + + jobLocation + A (typically single) geographic location associated with the job position. + + + + + + + + + + + + + + + + + + + + + A description of the job location (e.g. TELECOMMUTE for telecommute jobs). + jobLocationType + + + + + + + + + + + + + + + + + + + + The date on which a successful applicant for this job would be expected to start work. Choose a specific date in the future or use the jobImmediateStart property to indicate the position is to be filled as soon as possible. + jobStartDate + + + + + + + + + + + + + + + + + + + + + jobTitle + The job title of the person (for example, Financial Manager). + + + + + + + + + + + + + + + + + + + + + Indicates a legal jurisdiction, e.g. of some legislation, or where some government service is based. + jurisdiction + + + + + + + + + + + + + + + + + + + + + + keywords + Keywords or tags used to describe some item. Multiple textual entries in a keywords list are typically delimited by commas, or by repeating the property. + + + + + + + + + + + + + + + + + + + + + + + + + knownVehicleDamages + A textual description of known damages, both repaired and unrepaired. + + + + + + + + + + + + + + + + + + + + The most generic bi-directional social/work relation. + knows + + + + + + + + + + + + + + + + + + + + + Of a <a class="localLink" href="/Person">Person</a>, and less typically of an <a class="localLink" href="/Organization">Organization</a>, to indicate a topic that is known about - suggesting possible expertise but not implying it. We do not distinguish skill levels here, or relate this to educational content, events, objectives or <a class="localLink" href="/JobPosting">JobPosting</a> descriptions. + knowsAbout + + + + + + + + + + + + + + + + + + + + + + Of a <a class="localLink" href="/Person">Person</a>, and less typically of an <a class="localLink" href="/Organization">Organization</a>, to indicate a known language. We do not distinguish skill levels or reading/writing/speaking/signing here. Use language codes from the <a href="http://tools.ietf.org/html/bcp47">IETF BCP 47 standard</a>. + knowsLanguage + + + + + + + + + + + + + + + + + + + + + + labelDetails + Link to the drug's label details. + + + + + + + + + + + + + + + + + + + + A sub property of participant. The owner of the real estate property. + landlord + + + + + + + + + + + + + + + + + + + + + + + language + + + A sub property of instrument. The language used on this action. + + + + + + + + + + + + + + + + + + + + + + Date on which the content on this web page was last reviewed for accuracy and/or completeness. + lastReviewed + + + + + + + + + + + + + + + + + + latitude + The latitude of a location. For example <code>37.42242</code> (<a href="https://en.wikipedia.org/wiki/World_Geodetic_System">WGS 84</a>). + + + + + + + + + + + + + + + + + + + + + + + layoutImage + A schematic image showing the floorplan layout. + + + + + + + + + + + + + + + + + + + + + learningResourceType + The predominant type or kind characterizing the learning resource. For example, 'presentation', 'handout'. + + + + + + + + + + + + + + + + + + + + + + leaseLength + Length of the lease for some <a class="localLink" href="/Accommodation">Accommodation</a>, either particular to some <a class="localLink" href="/Offer">Offer</a> or in some cases intrinsic to the property. + + + + + + + + + + + + + + + + + + + + + + + + legalAddress + The legal address of an organization which acts as the officially registered address used for legal and tax purposes. The legal address can be different from the place of operations of a business and other addresses can be part of an organization. + + + + + + + + + + + + + + + + + + + + + The official name of the organization, e.g. the registered company name. + legalName + + + + + + + + + + + + + + + + + + + + legalRepresentative + One or multiple persons who represent this organization legally such as CEO or sole administrator. + + + + + + + + + + + + + + + + + + + + + The drug or supplement's legal status, including any controlled substance schedules that apply. + legalStatus + + + + + + + + + + + + + + + + + + + + + + + + + Another legislation that this legislation amends, introducing legal changes. + legislationAmends + + + + + + + + + + + + + + + + + + + + + Indicates that this legislation (or part of a legislation) somehow transfers another legislation in a different legislative context. This is an informative link, and it has no legal value. For legally-binding links of transposition, use the <a href="/legislationTransposes">legislationTransposes</a> property. For example an informative consolidated law of a European Union's member state "applies" the consolidated version of the European Directive implemented in it. + legislationApplies + + + + + + + + + + + + + + + + + + + + + Another legislation that this legislation changes. This encompasses the notions of amendment, replacement, correction, repeal, or other types of change. This may be a direct change (textual or non-textual amendment) or a consequential or indirect change. The property is to be used to express the existence of a change relationship between two acts rather than the existence of a consolidated version of the text that shows the result of the change. For consolidation relationships, use the <a href="/legislationConsolidates">legislationConsolidates</a> property. + legislationChanges + + + + + + + + + + + + + + + + + + + + + legislationCommences + + Another legislation that this one sets into force. + + + + + + + + + + + + + + + + + + + + + Indicates another legislation taken into account in this consolidated legislation (which is usually the product of an editorial process that revises the legislation). This property should be used multiple times to refer to both the original version or the previous consolidated version, and to the legislations making the change. + legislationConsolidates + + + + + + + + + + + + + + + + + + + + + legislationCorrects + Another legislation in which this one introduces textual changes, like correction of spelling mistakes, with no legal impact (for modifications that have legal impact, use <a href="/legislationAmends">legislationAmends</a>). + + + + + + + + + + + + + + + + + + + + + legislationCountersignedBy + The person or organization that countersigned the legislation. Depending on the legal context, a countersignature can indicate that the signed authority undertakes to assume responsibility for texts emanating from a person who is inviolable and irresponsible, (for example a King, Grand Duc or President), or that the authority is in charge of the implementation of the text. + + + + + + + + + + + + + + + + + + + + + + legislationDate + + The date of adoption or signature of the legislation. This is the date at which the text is officially aknowledged to be a legislation, even though it might not even be published or in force. + + + + + + + + + + + + + + + + + + The date at which the Legislation becomes applicable. This can sometimes be distinct from the date of entry into force : a text may come in force today, and state it will become applicable in 3 months. + legislationDateOfApplicability + + + + + + + + + + + + + + + + + + legislationDateVersion + The point-in-time at which the provided description of the legislation is valid (e.g.: when looking at the law on the 2016-04-07 (= dateVersion), I get the consolidation of 2015-04-12 of the "National Insurance Contributions Act 2015") + + + + + + + + + + + + + + + + + + + Indicates that this Legislation ensures the implementation of another Legislation, for example by modifying national legislations so that they do not contradict to an EU regulation or decision. This implies a legal meaning. Transpositions of EU Directive should be captured with <a href="/legislationTransposes">legislationTransposes</a>. + legislationEnsuresImplementationOf + + + + + + + + + + + + + + + + + + + + + legislationIdentifier + + An identifier for the legislation. This can be either a string-based identifier, like the CELEX at EU level or the NOR in France, or a web-based, URL/URI identifier, like an ELI (European Legislation Identifier) or an URN-Lex. + + + + + + + + + + + + + + + + + + + + + + The jurisdiction from which the legislation originates. + legislationJurisdiction + + + + + + + + + + + + + + + + + + + + + legislationLegalForce + Whether the legislation is currently in force, not in force, or partially in force. + + + + + + + + + + + + + + + + + + + + + The legal value of this legislation file. The same legislation can be written in multiple files with different legal values. Typically a digitally signed PDF have a "stronger" legal value than the HTML file of the same act. + legislationLegalValue + + + + + + + + + + + + + + + + + + + + + The person or organization that originally passed or made the law: typically parliament (for primary legislation) or government (for secondary legislation). This indicates the "legal author" of the law, as opposed to its physical author. + legislationPassedBy + + + + + + + + + + + + + + + + + + + + + + + legislationRepeals + + Another legislation that this legislation repeals (cancels, abrogates). + + + + + + + + + + + + + + + + + + + + + legislationResponsible + An individual or organization that has some kind of responsibility for the legislation. Typically the ministry who is/was in charge of elaborating the legislation, or the adressee for potential questions about the legislation once it is published. + + + + + + + + + + + + + + + + + + + + + + legislationTransposes + + Indicates that this legislation (or part of legislation) fulfills the objectives set by another legislation, by passing appropriate implementation measures. Typically, some legislations of European Union's member states or regions transpose European Directives. This indicates a legally binding link between the 2 legislations. + + + + + + + + + + + + + + + + + + + + + The type of the legislation. Examples of values are "law", "act", "directive", "decree", "regulation", "statutory instrument", "loi organique", "règlement grand-ducal", etc., depending on the country. + + legislationType + + + + + + + + + + + + + + + + + + + + + + An organization identifier that uniquely identifies a legal entity as defined in ISO 17442. + leiCode + + + + + + + + + + + + + + + + + + + + A sub property of participant. The person that lends the object being borrowed. + + lender + + + + + + + + + + + + + + + + + + + + + + This ordering relation for qualitative values indicates that the subject is lesser than the object. + lesser + + + + + + + + + + + + + + + + + + + + + This ordering relation for qualitative values indicates that the subject is lesser than or equal to the object. + lesserOrEqual + + + + + + + + + + + + + + + + + + + + + The individual who adds lettering, including speech balloons and sound effects, to artwork. + letterer + + + + + + + + + + + + + + + + + + + + + + + license + A license document that applies to this content, typically indicated by URL. + + + + + + + + + + + + + + + + + + + + + A line is a point-to-point path consisting of two or more points. A line is expressed as a series of two or more point objects separated by space. + line + + + + + + + + + + + + + + + + + + + + linkRelationship + Indicates the relationship type of a Web link. + + + + + + + + + + + + + + + + + + + + liveBlogUpdate + An update to the LiveBlog. + + + + + + + + + + + + + + + + + + + + + loanMortgageMandateAmount + Amount of mortgage mandate that can be converted into a proper mortgage at a later stage. + + + + + + + + + + + + + + + + + + + + + The amount of money to pay in a single payment. + loanPaymentAmount + + + + + + + + + + + + + + + + + + + + + loanPaymentFrequency + Frequency of payments due, i.e. number of months between payments. This is defined as a frequency, i.e. the reciprocal of a period of time. + + + + + + + + + + + + + + + + + + A form of paying back money previously borrowed from a lender. Repayment usually takes the form of periodic payments that normally include part principal plus interest in each payment. + loanRepaymentForm + + + + + + + + + + + + + + + + + + + + + loanTerm + + The duration of the loan or credit agreement. + + + + + + + + + + + + + + + + + + + + + loanType + The type of a loan or credit. + + + + + + + + + + + + + + + + + + + + The location of, for example, where an event is happening, where an organization is located, or where an action takes place. + location + + + + + + + + + + + + + + + + + + + + + + + + + + The location where the CreativeWork was created, which may not be the same as the location depicted in the CreativeWork. + locationCreated + + + + + + + + + + + + + + + + + + + + + lodgingUnitDescription + A full description of the lodging unit. + + + + + + + + + + + + + + + + + + + + Textual description of the unit type (including suite vs. room, size of bed, etc.). + lodgingUnitType + + + + + + + + + + + + + + + + + + + + + + An associated logo. + logo + + + + + + + + + + + + + + + + + + + + + + + + + + The longitude of a location. For example <code>-122.08585</code> (<a href="https://en.wikipedia.org/wiki/World_Geodetic_System">WGS 84</a>). + longitude + + + + + + + + + + + + + + + + + + + + + + loser + A sub property of participant. The loser of the action. + + + + + + + + + + + + + + + + + + + + + + The lowest price of all offers available.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + lowPrice + + + + + + + + + + + + + + + + + + + + + lyricist + The person who wrote the words. + + + + + + + + + + + + + + + + + + + + + The words in the song. + lyrics + + + + + + + + + + + + + + + + + + + + + mainContentOfPage + Indicates if this web page element is the main subject of the page. + + + + + + + + + + + + + + + + + + + + + mainEntity + Indicates the primary entity described in some page or other CreativeWork. + + + + + + + + + + + + + + + + + + + + + + + mainEntityOfPage + Indicates a page (or other CreativeWork) for which this thing is the main entity being described. See <a href="/docs/datamodel.html#mainEntityBackground">background notes</a> for details. + + + + + + + + + + + + + + + + + + + + + + A maintainer of a <a class="localLink" href="/Dataset">Dataset</a>, software package (<a class="localLink" href="/SoftwareApplication">SoftwareApplication</a>), or other <a class="localLink" href="/Project">Project</a>. A maintainer is a <a class="localLink" href="/Person">Person</a> or <a class="localLink" href="/Organization">Organization</a> that manages contributions to, and/or publication of, some (typically complex) artifact. It is common for distributions of software and data to be based on "upstream" sources. When <a class="localLink" href="/maintainer">maintainer</a> is applied to a specific version of something e.g. a particular version or packaging of a <a class="localLink" href="/Dataset">Dataset</a>, it is always possible that the upstream source has a different maintainer. The <a class="localLink" href="/isBasedOn">isBasedOn</a> property can be used to indicate such relationships between datasets to make the different maintenance roles clear. Similarly in the case of software, a package may have dedicated maintainers working on integration into software distributions such as Ubuntu, as well as upstream maintainers of the underlying work. + maintainer + + + + + + + + + + + + + + + + + + + + + + A pointer to products or services offered by the organization or person. + + makesOffer + + + + + + + + + + + + + + + + + + + + + + The manufacturer of the product. + manufacturer + + + + + + + + + + + + + + + + + + + + + map + A URL to a map of the place. + + + + + + + + + + + + + + + + + + + + + mapType + Indicates the kind of Map, from the MapCategoryType Enumeration. + + + + + + + + + + + + + + + + + + + + + A URL to a map of the place. + + maps + + + + + + + + + + + + + + + + + + + + marginOfError + A <a class="localLink" href="/marginOfError">marginOfError</a> for an <a class="localLink" href="/Observation">Observation</a>. + + + + + + + + + + + + + + + + + + + + + For a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>, a link to the masthead page or a page listing top editorial management. + + masthead + + + + + + + + + + + + + + + + + + + + + material + A material that something is made from, e.g. leather, wool, cotton, paper. + + + + + + + + + + + + + + + + + + + + + + materialExtent + The quantity of the materials being described or an expression of the physical space they occupy. + + + + + + + + + + + + + + + + + + + + + A mathematical expression (e.g. 'x^2-3x=0') that may be solved for a specific variable, simplified, or transformed. This can take many formats, e.g. LaTeX, Ascii-Math, or math as you would write with a keyboard. + mathExpression + + + + + + + + + + + + + + + + + + + + + The highest price if the price is a range. + maxPrice + + + + + + + + + + + + + + + + + + maxValue + The upper value of some characteristic or property. + + + + + + + + + + + + + + + + + + + + + maximumAttendeeCapacity + The total number of individuals that may attend an event or venue. + + + + + + + + + + + + + + + + + + + maximumEnrollment + The maximum number of students who may be enrolled in the program. + + + + + + + + + + + + + + + + + + maximumIntake + Recommended intake of this supplement for a given population as defined by a specific recommending authority. + + + + + + + + + + + + + + + + + + + + + + + + The maximum physical attendee capacity of an <a class="localLink" href="/Event">Event</a> whose <a class="localLink" href="/eventAttendanceMode">eventAttendanceMode</a> is <a class="localLink" href="/OfflineEventAttendanceMode">OfflineEventAttendanceMode</a> (or the offline aspects, in the case of a <a class="localLink" href="/MixedEventAttendanceMode">MixedEventAttendanceMode</a>). + maximumPhysicalAttendeeCapacity + + + + + + + + + + + + + + + + + + The maximum virtual attendee capacity of an <a class="localLink" href="/Event">Event</a> whose <a class="localLink" href="/eventAttendanceMode">eventAttendanceMode</a> is <a class="localLink" href="/OnlineEventAttendanceMode">OnlineEventAttendanceMode</a> (or the online aspects, in the case of a <a class="localLink" href="/MixedEventAttendanceMode">MixedEventAttendanceMode</a>). + maximumVirtualAttendeeCapacity + + + + + + + + + + + + + + + + + + mealService + Description of the meals that will be provided or available for purchase. + + + + + + + + + + + + + + + + + + + + measuredProperty + The measuredProperty of an <a class="localLink" href="/Observation">Observation</a>, typically via its <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>. There are various kinds of applicable <a class="localLink" href="/Property">Property</a>: a schema.org property, a property from other RDF-compatible systems, e.g. W3C RDF Data Cube, Data Commons, Wikidata, or schema.org extensions such as <a href="https://www.gs1.org/voc/?show=properties">GS1's</a>. + + + + + + + + + + + + + + + + + + + + + + measurementDenominator + Identifies the denominator variable when an observation represents a ratio or percentage. + + + + + + + + + + + + + + + + + + + + + + measurementMethod + A subproperty of <a class="localLink" href="/measurementTechnique">measurementTechnique</a> that can be used for specifying specific methods, in particular via <a class="localLink" href="/MeasurementMethodEnum">MeasurementMethodEnum</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + + measurementQualifier + Provides additional qualification to an observation. For example, a GDP observation measures the Nominal value. + + + + + + + + + + + + + + + + + + + + + + measurementTechnique + A technique, method or technology used in an <a class="localLink" href="/Observation">Observation</a>, <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> or <a class="localLink" href="/Dataset">Dataset</a> (or <a class="localLink" href="/DataDownload">DataDownload</a>, <a class="localLink" href="/DataCatalog">DataCatalog</a>), corresponding to the method used for measuring the corresponding variable(s) (for datasets, described using <a class="localLink" href="/variableMeasured">variableMeasured</a>; for <a class="localLink" href="/Observation">Observation</a>, a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>). Often but not necessarily each <a class="localLink" href="/variableMeasured">variableMeasured</a> will have an explicit representation as (or mapping to) an property such as those defined in Schema.org, or other RDF vocabularies and "knowledge graphs". In that case the subproperty of <a class="localLink" href="/variableMeasured">variableMeasured</a> called <a class="localLink" href="/measuredProperty">measuredProperty</a> is applicable.<br/><br/> + +The <a class="localLink" href="/measurementTechnique">measurementTechnique</a> property helps when extra clarification is needed about how a <a class="localLink" href="/measuredProperty">measuredProperty</a> was measured. This is oriented towards scientific and scholarly dataset publication but may have broader applicability; it is not intended as a full representation of measurement, but can often serve as a high level summary for dataset discovery. <br/><br/> + +For example, if <a class="localLink" href="/variableMeasured">variableMeasured</a> is: molecule concentration, <a class="localLink" href="/measurementTechnique">measurementTechnique</a> could be: "mass spectrometry" or "nmr spectroscopy" or "colorimetry" or "immunofluorescence". If the <a class="localLink" href="/variableMeasured">variableMeasured</a> is "depression rating", the <a class="localLink" href="/measurementTechnique">measurementTechnique</a> could be "Zung Scale" or "HAM-D" or "Beck Depression Inventory". <br/><br/> + +If there are several <a class="localLink" href="/variableMeasured">variableMeasured</a> properties recorded for some given data object, use a <a class="localLink" href="/PropertyValue">PropertyValue</a> for each <a class="localLink" href="/variableMeasured">variableMeasured</a> and attach the corresponding <a class="localLink" href="/measurementTechnique">measurementTechnique</a>. The value can also be from an enumeration, organized as a <a class="localLink" href="/MeasurementMetholdEnumeration">MeasurementMetholdEnumeration</a>. + + + + + + + + + + + + + + + + + + + + + + + + + + + The specific biochemical interaction through which this drug or supplement produces its pharmacological effect. + mechanismOfAction + + + + + + + + + + + + + + + + + + + + + mediaAuthenticityCategory + Indicates a MediaManipulationRatingEnumeration classification of a media object (in the context of how it was published or shared). + + + + + + + + + + + + + + + + + + + + + mediaItemAppearance + In the context of a <a class="localLink" href="/MediaReview">MediaReview</a>, indicates specific media item(s) that are grouped using a <a class="localLink" href="/MediaReviewItem">MediaReviewItem</a>. + + + + + + + + + + + + + + + + + + + + + median + The median value. + + + + + + + + + + + + + + + + + + medicalAudience + Medical audience for page. + + + + + + + + + + + + + + + + + + + + + + medicalSpecialty + A medical specialty of the provider. + + + + + + + + + + + + + + + + + + + + + + + + medicineSystem + The system of medicine that includes this MedicalEntity, for example 'evidence-based', 'homeopathic', 'chiropractic', etc. + + + + + + + + + + + + + + + + + + + + + meetsEmissionStandard + Indicates that the vehicle meets the respective emission standard. + + + + + + + + + + + + + + + + + + + + + + member + A member of an Organization or a ProgramMembership. Organizations can be members of organizations; ProgramMembership is typically for individuals. + + + + + + + + + + + + + + + + + + + + + + + An Organization (or ProgramMembership) to which this Person or Organization belongs. + + memberOf + + + + + + + + + + + + + + + + + + + + + + + + + members + A member of this organization. + + + + + + + + + + + + + + + + + + + + + + + membershipNumber + A unique identifier for the membership. + + + + + + + + + + + + + + + + + + + + membershipPointsEarned + The number of membership points earned by the member. If necessary, the unitText can be used to express the units the points are issued in. (E.g. stars, miles, etc.) + + + + + + + + + + + + + + + + + + + + + + + + memoryRequirements + Minimum memory requirements. + + + + + + + + + + + + + + + + + + + + mentions + Indicates that the CreativeWork contains a reference to, but is not necessarily about a concept. + + + + + + + + + + + + + + + + + + + + + menu + Either the actual menu as a structured representation, as text, or a URL of the menu. + + + + + + + + + + + + + + + + + + + + + + menuAddOn + Additional menu item(s) such as a side dish of salad or side order of fries that can be added to this menu item. Additionally it can be a menu section containing allowed add-on menu items for this menu item. + + + + + + + + + + + + + + + + + + + + + + 'merchant' is an out-dated term for 'seller'. + merchant + + + + + + + + + + + + + + + + + + + + + + + Specifies either a fixed return date or the number of days (from the delivery date) that a product can be returned. Used when the <a class="localLink" href="/returnPolicyCategory">returnPolicyCategory</a> property is specified as <a class="localLink" href="/MerchantReturnFiniteReturnWindow">MerchantReturnFiniteReturnWindow</a>. + merchantReturnDays + + + + + + + + + + + + + + + + + + + + + merchantReturnLink + Specifies a Web page or service by URL, for product returns. + + + + + + + + + + + + + + + + + + + + A CreativeWork attached to the message. + messageAttachment + + + + + + + + + + + + + + + + + + + + + The total distance travelled by the particular vehicle since its initial production, as read from its odometer.<br/><br/> + +Typical unit code(s): KMT for kilometers, SMI for statute miles. + mileageFromOdometer + + + + + + + + + + + + + + + + + + + + + The lowest price if the price is a range. + minPrice + + + + + + + + + + + + + + + + + + The lower value of some characteristic or property. + minValue + + + + + + + + + + + + + + + + + + + + + minimumPaymentDue + The minimum payment required at this time. + + + + + + + + + + + + + + + + + + + + + + For a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>, a statement on coverage priorities, including any public agenda or stance on issues. + + missionCoveragePrioritiesPolicy + + + + + + + + + + + + + + + + + + + + + The <a class="localLink" href="/mobileUrl">mobileUrl</a> property is provided for specific situations in which data consumers need to determine whether one of several provided URLs is a dedicated 'mobile site'.<br/><br/> + +To discourage over-use, and reflecting intial usecases, the property is expected only on <a class="localLink" href="/Product">Product</a> and <a class="localLink" href="/Offer">Offer</a>, rather than <a class="localLink" href="/Thing">Thing</a>. The general trend in web technology is towards <a href="https://en.wikipedia.org/wiki/Responsive_web_design">responsive design</a> in which content can be flexibly adapted to a wide range of browsing environments. Pages and sites referenced with the long-established <a class="localLink" href="/url">url</a> property should ideally also be usable on a wide variety of devices, including mobile phones. In most cases, it would be pointless and counter productive to attempt to update all <a class="localLink" href="/url">url</a> markup to use <a class="localLink" href="/mobileUrl">mobileUrl</a> for more mobile-oriented pages. The property is intended for the case when items (primarily <a class="localLink" href="/Product">Product</a> and <a class="localLink" href="/Offer">Offer</a>) have extra URLs hosted on an additional "mobile site" alongside the main one. It should not be taken as an endorsement of this publication style. + mobileUrl + + + + + + + + + + + + + + + + + + + + + model + The model of the product. Use with the URL of a ProductModel or a textual representation of the model identifier. The URL of the ProductModel can be from an external source. It is recommended to additionally provide strong product identifiers via the gtin8/gtin13/gtin14 and mpn properties. + + + + + + + + + + + + + + + + + + + + + modelDate + The release date of a vehicle model (often used to differentiate versions of the same make and model). + + + + + + + + + + + + + + + + + + modifiedTime + The date and time the reservation was modified. + + + + + + + + + + + + + + + + + + The empirical formula is the simplest whole number ratio of all the atoms in a molecule. + molecularFormula + + + + + + + + + + + + + + + + + + + + molecularWeight + This is the molecular weight of the entity being described, not of the parent. Units should be included in the form '&lt;Number&gt; &lt;unit&gt;', for example '12 amu' or as '&lt;QuantitativeValue&gt;. + + + + + + + + + + + + + + + + + + + + + The monoisotopic mass is the sum of the masses of the atoms in a molecule using the unbound, ground-state, rest mass of the principal (most abundant) isotope for each element instead of the isotopic average mass. Please include the units in the form '&lt;Number&gt; &lt;unit&gt;', for example '770.230488 g/mol' or as '&lt;QuantitativeValue&gt;. + monoisotopicMolecularWeight + + + + + + + + + + + + + + + + + + + + + The minimum payment is the lowest amount of money that one is required to pay on a credit card statement each month. + monthlyMinimumRepaymentAmount + + + + + + + + + + + + + + + + + + + + + + monthsOfExperience + Indicates the minimal number of months of experience required for a position. + + + + + + + + + + + + + + + + + + mpn + The Manufacturer Part Number (MPN) of the product, or the product to which the offer refers. + + + + + + + + + + + + + + + + + + + + + + multipleValues + Whether multiple values are allowed for the property. Default is false. + + + + + + + + + + + + + + + + + + muscleAction + The movement the muscle generates. + + + + + + + + + + + + + + + + + + + + An arrangement derived from the composition. + musicArrangement + + + + + + + + + + + + + + + + + + + + + musicBy + The composer of the soundtrack. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + musicCompositionForm + The type of composition (e.g. overture, sonata, symphony, etc.). + + + + + + + + + + + + + + + + + + + + + A member of a music group&#x2014;for example, John, Paul, George, or Ringo. + musicGroupMember + + + + + + + + + + + + + + + + + + + + + Format of this release (the type of recording media used, i.e. compact disc, digital media, LP, etc.). + musicReleaseFormat + + + + + + + + + + + + + + + + + + + + + musicalKey + The key, mode, or scale this composition uses. + + + + + + + + + + + + + + + + + + + + The North American Industry Classification System (NAICS) code for a particular organization or business person. + naics + + + + + + + + + + + + + + + + + + + + + name + The name of the item. + + + + + + + + + + + + + + + + + + + + + namedPosition + A position played, performed or filled by a person or organization, as part of an organization. For example, an athlete in a SportsTeam might play in the position named 'Quarterback'. + + + + + + + + + + + + + + + + + + + + + nationality + Nationality of the person. + + + + + + + + + + + + + + + + + + + + + The expected progression of the condition if it is not treated and allowed to progress naturally. + naturalProgression + + + + + + + + + + + + + + + + + + + + negativeNotes + Provides negative considerations regarding something, most typically in pro/con lists for reviews (alongside <a class="localLink" href="/positiveNotes">positiveNotes</a>). For symmetry <br/><br/> + +In the case of a <a class="localLink" href="/Review">Review</a>, the property describes the <a class="localLink" href="/itemReviewed">itemReviewed</a> from the perspective of the review; in the case of a <a class="localLink" href="/Product">Product</a>, the product itself is being described. Since product descriptions +tend to emphasise positive claims, it may be relatively unusual to find <a class="localLink" href="/negativeNotes">negativeNotes</a> used in this way. Nevertheless for the sake of symmetry, <a class="localLink" href="/negativeNotes">negativeNotes</a> can be used on <a class="localLink" href="/Product">Product</a>.<br/><br/> + +The property values can be expressed either as unstructured text (repeated as necessary), or if ordered, as a list (in which case the most negative is at the beginning of the list). + + + + + + + + + + + + + + + + + + + + + + + + The underlying innervation associated with the muscle. + nerve + + + + + + + + + + + + + + + + + + + + + The neurological pathway extension that involves muscle control. + nerveMotor + + + + + + + + + + + + + + + + + + + + + The total financial value of the person as calculated by subtracting the total value of liabilities from the total value of assets. + netWorth + + + + + + + + + + + + + + + + + + + + + + Indicates a page with news updates and guidelines. This could often be (but is not required to be) the main page containing <a class="localLink" href="/SpecialAnnouncement">SpecialAnnouncement</a> markup on a site. + newsUpdatesAndGuidelines + + + + + + + + + + + + + + + + + + + + + A link to the ListItem that follows the current one. + nextItem + + + + + + + + + + + + + + + + + + + + + + noBylinesPolicy + For a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a> or other news-related <a class="localLink" href="/Organization">Organization</a>, a statement explaining when authors of articles are not named in bylines. + + + + + + + + + + + + + + + + + + + + + This ordering relation for qualitative values indicates that the subject is not equal to the object. + nonEqual + + + + + + + + + + + + + + + + + + + + + nonProprietaryName + The generic name of this drug or supplement. + + + + + + + + + + + + + + + + + + + + + nonprofitStatus + nonprofitStatus indicates the legal status of a non-profit organization in its primary place of business. + + + + + + + + + + + + + + + + + + + + + Range of acceptable values for a typical patient, when applicable. + normalRange + + + + + + + + + + + + + + + + + + + + + nsn + Indicates the <a href="https://en.wikipedia.org/wiki/NATO_Stock_Number">NATO stock number</a> (nsn) of a <a class="localLink" href="/Product">Product</a>. + + + + + + + + + + + + + + + + + + + + + The number of adults staying in the unit. + numAdults + + + + + + + + + + + + + + + + + + + + + + The number of children staying in the unit. + numChildren + + + + + + + + + + + + + + + + + + + + + + Indicates the number of constraints property values defined for a particular <a class="localLink" href="/ConstraintNode">ConstraintNode</a> such as <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>. This helps applications understand if they have access to a sufficiently complete description of a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a> or other construct that is defined using properties on template-style nodes. + numConstraints + + + + + + + + + + + + + + + + + + numItems + Limits the number of items being shipped for which these conditions apply. + + + + + + + + + + + + + + + + + + + + + The number of tracks in this album or playlist. + numTracks + + + + + + + + + + + + + + + + + + Indicates the total (available plus unavailable) number of accommodation units in an <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a>, or the number of accommodation units for a specific <a class="localLink" href="/FloorPlan">FloorPlan</a> (within its specific <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a>). See also <a class="localLink" href="/numberOfAvailableAccommodationUnits">numberOfAvailableAccommodationUnits</a>. + numberOfAccommodationUnits + + + + + + + + + + + + + + + + + + + + + + numberOfAirbags + The number or type of airbags in the vehicle. + + + + + + + + + + + + + + + + + + + + + numberOfAvailableAccommodationUnits + Indicates the number of available accommodation units in an <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a>, or the number of accommodation units for a specific <a class="localLink" href="/FloorPlan">FloorPlan</a> (within its specific <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a>). See also <a class="localLink" href="/numberOfAccommodationUnits">numberOfAccommodationUnits</a>. + + + + + + + + + + + + + + + + + + + + + + The number of axles.<br/><br/> + +Typical unit code(s): C62. + numberOfAxles + + + + + + + + + + + + + + + + + + + + + + The total integer number of bathrooms in some <a class="localLink" href="/Accommodation">Accommodation</a>, following real estate conventions as <a href="https://ddwiki.reso.org/display/DDW17/BathroomsTotalInteger+Field">documented in RESO</a>: "The simple sum of the number of bathrooms. For example for a property with two Full Bathrooms and one Half Bathroom, the Bathrooms Total Integer will be 3.". See also <a class="localLink" href="/numberOfRooms">numberOfRooms</a>. + numberOfBathroomsTotal + + + + + + + + + + + + + + + + + + + numberOfBedrooms + The total integer number of bedrooms in a some <a class="localLink" href="/Accommodation">Accommodation</a>, <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a> or <a class="localLink" href="/FloorPlan">FloorPlan</a>. + + + + + + + + + + + + + + + + + + + + + + + + The quantity of the given bed type available in the HotelRoom, Suite, House, or Apartment. + numberOfBeds + + + + + + + + + + + + + + + + + + The number of credits or units awarded by a Course or required to complete an EducationalOccupationalProgram. + numberOfCredits + + + + + + + + + + + + + + + + + + + + + + + numberOfDoors + The number of doors.<br/><br/> + +Typical unit code(s): C62. + + + + + + + + + + + + + + + + + + + + + + numberOfEmployees + The number of employees in an organization, e.g. business. + + + + + + + + + + + + + + + + + + + + + + numberOfEpisodes + The number of episodes in this season or series. + + + + + + + + + + + + + + + + + + + + + The total number of forward gears available for the transmission system of the vehicle.<br/><br/> + +Typical unit code(s): C62. + numberOfForwardGears + + + + + + + + + + + + + + + + + + + + + + numberOfFullBathrooms + Number of full bathrooms - The total number of full and ¾ bathrooms in an <a class="localLink" href="/Accommodation">Accommodation</a>. This corresponds to the <a href="https://ddwiki.reso.org/display/DDW17/BathroomsFull+Field">BathroomsFull field in RESO</a>. + + + + + + + + + + + + + + + + + + + numberOfItems + The number of items in an ItemList. Note that some descriptions might not fully describe all items in a list (e.g., multi-page pagination); in such cases, the numberOfItems would be for the entire list. + + + + + + + + + + + + + + + + + + The number of payments contractually required at origination to repay the loan. For monthly paying loans this is the number of months from the contractual first payment date to the maturity date. + numberOfLoanPayments + + + + + + + + + + + + + + + + + + The number of pages in the book. + numberOfPages + + + + + + + + + + + + + + + + + + numberOfPartialBathrooms + Number of partial bathrooms - The total number of half and ¼ bathrooms in an <a class="localLink" href="/Accommodation">Accommodation</a>. This corresponds to the <a href="https://ddwiki.reso.org/display/DDW17/BathroomsPartial+Field">BathroomsPartial field in RESO</a>. + + + + + + + + + + + + + + + + + + + Indicate how many people can play this game (minimum, maximum, or range). + numberOfPlayers + + + + + + + + + + + + + + + + + + + + + + numberOfPreviousOwners + The number of owners of the vehicle, including the current one.<br/><br/> + +Typical unit code(s): C62. + + + + + + + + + + + + + + + + + + + + + + numberOfRooms + The number of rooms (excluding bathrooms and closets) of the accommodation or lodging business. +Typical unit code(s): ROM for room or C62 for no unit. The type of room can be put in the unitText property of the QuantitativeValue. + + + + + + + + + + + + + + + + + + + + + + + + + + + + The number of seasons in this series. + numberOfSeasons + + + + + + + + + + + + + + + + + + + + A number associated with a role in an organization, for example, the number on an athlete's jersey. + numberedPosition + + + + + + + + + + + + + + + + + + nutrition + Nutrition information about the recipe or menu item. + + + + + + + + + + + + + + + + + + + + + + The object upon which the action is carried out, whose state is kept intact or changed. Also known as the semantic roles patient, affected or undergoer (which change their state) or theme (which doesn't). E.g. John read <em>a book</em>. + object + + + + + + + + + + + + + + + + + + + + + The <a class="localLink" href="/observationAbout">observationAbout</a> property identifies an entity, often a <a class="localLink" href="/Place">Place</a>, associated with an <a class="localLink" href="/Observation">Observation</a>. + observationAbout + + + + + + + + + + + + + + + + + + + + + + The observationDate of an <a class="localLink" href="/Observation">Observation</a>. + observationDate + + + + + + + + + + + + + + + + + + observationPeriod + The length of time an Observation took place over. The format follows <code>P[0-9]*[Y|M|D|h|m|s]</code>. For example, P1Y is Period 1 Year, P3M is Period 3 Months, P3h is Period 3 hours. + + + + + + + + + + + + + + + + + + + + occupancy + The allowed total occupancy for the accommodation in persons (including infants etc). For individual accommodations, this is not necessarily the legal maximum but defines the permitted usage as per the contractual agreement (e.g. a double room used by a single person). +Typical unit code(s): C62 for person. + + + + + + + + + + + + + + + + + + + + + + + + + The region/country for which this occupational description is appropriate. Note that educational requirements and qualifications can vary between jurisdictions. + occupationLocation + + + + + + + + + + + + + + + + + + + + + occupationalCategory + A category describing the job, preferably using a term from a taxonomy such as <a href="http://www.onetcenter.org/taxonomy.html">BLS O*NET-SOC</a>, <a href="https://www.ilo.org/public/english/bureau/stat/isco/isco08/">ISCO-08</a> or similar, with the property repeated for each applicable value. Ideally the taxonomy should be identified, and both the textual label and formal code for the category should be provided.<br/><br/> + +Note: for historical reasons, any textual label and formal code provided as a literal may be assumed to be from O*NET-SOC. + + + + + + + + + + + + + + + + + + + + + + + + + occupationalCredentialAwarded + A description of the qualification, award, certificate, diploma or other occupational credential awarded as a consequence of successful completion of this course or program. + + + + + + + + + + + + + + + + + + + + + + offerCount + The number of offers for the product. + + + + + + + + + + + + + + + + + + + A pointer to the organization or person making the offer. + offeredBy + + + + + + + + + + + + + + + + + + + + + + An offer to provide this item&#x2014;for example, an offer to sell a product, rent the DVD of a movie, perform a service, or give away tickets to an event. Use <a class="localLink" href="/businessFunction">businessFunction</a> to indicate the kind of transaction offered, i.e. sell, lease, etc. This property can also be used to describe a <a class="localLink" href="/Demand">Demand</a>. While this property is listed as expected on a number of common types, it can be used in others. In that case, using a second type, such as Product or a subtype of Product, can clarify the nature of the offer. + offers + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Whether prescriptions can be delivered by mail. + offersPrescriptionByMail + + + + + + + + + + + + + + + + + + openingHours + The general opening hours for a business. Opening hours can be specified as a weekly time range, starting with days, then times per day. Multiple days can be listed with commas ',' separating each day. Day or time ranges are specified using a hyphen '-'.<br/><br/> + +<ul> +<li>Days are specified using the following two-letter combinations: <code>Mo</code>, <code>Tu</code>, <code>We</code>, <code>Th</code>, <code>Fr</code>, <code>Sa</code>, <code>Su</code>.</li> +<li>Times are specified using 24:00 format. For example, 3pm is specified as <code>15:00</code>, 10am as <code>10:00</code>. </li> +<li>Here is an example: <code>&lt;time itemprop="openingHours" datetime=&quot;Tu,Th 16:00-20:00&quot;&gt;Tuesdays and Thursdays 4-8pm&lt;/time&gt;</code>.</li> +<li>If a business is open 7 days a week, then it can be specified as <code>&lt;time itemprop=&quot;openingHours&quot; datetime=&quot;Mo-Su&quot;&gt;Monday through Sunday, all day&lt;/time&gt;</code>.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + openingHoursSpecification + The opening hours of a certain place. + + + + + + + + + + + + + + + + + + + + + The opening hour of the place or service on the given day(s) of the week. + opens + + + + + + + + + + + + + + + + + + Operating systems supported (Windows 7, OS X 10.6, Android 1.6). + operatingSystem + + + + + + + + + + + + + + + + + + + + A sub property of participant. The opponent on this action. + opponent + + + + + + + + + + + + + + + + + + + + + + A sub property of object. The options subject to this action. + option + + + + + + + + + + + + + + + + + + + + + + + orderDate + Date order was placed. + + + + + + + + + + + + + + + + + + + orderDelivery + The delivery of the parcel related to this order or order item. + + + + + + + + + + + + + + + + + + + + + + orderItemNumber + The identifier of the order item. + + + + + + + + + + + + + + + + + + + + The current status of the order item. + orderItemStatus + + + + + + + + + + + + + + + + + + + + + The identifier of the transaction. + orderNumber + + + + + + + + + + + + + + + + + + + + + Fraction of the value of the order that is charged as shipping cost. + orderPercentage + + + + + + + + + + + + + + + + + + The number of the item ordered. If the property is not set, assume the quantity is one. + orderQuantity + + + + + + + + + + + + + + + + + + + + + + The current status of the order. + orderStatus + + + + + + + + + + + + + + + + + + + + + Minimum and maximum order value for which these shipping conditions are valid. + orderValue + + + + + + + + + + + + + + + + + + + + + orderedItem + The item ordered. + + + + + + + + + + + + + + + + + + + + + + + + organizer + An organizer of an Event. + + + + + + + + + + + + + + + + + + + + + + Shipper's address. + originAddress + + + + + + + + + + + + + + + + + + + + + Describes, in a <a class="localLink" href="/MediaReview">MediaReview</a> when dealing with <a class="localLink" href="/DecontextualizedContent">DecontextualizedContent</a>, background information that can contribute to better interpretation of the <a class="localLink" href="/MediaObject">MediaObject</a>. + + originalMediaContextDescription + + + + + + + + + + + + + + + + + + + + originalMediaLink + Link to the page containing an original version of the content, or directly to an online copy of the original <a class="localLink" href="/MediaObject">MediaObject</a> content, e.g. video file. + + + + + + + + + + + + + + + + + + + + + + originatesFrom + The vasculature the lymphatic structure originates, or afferents, from. + + + + + + + + + + + + + + + + + + + + + overdosage + Any information related to overdose on a drug, including signs or symptoms, treatments, contact information for emergency response. + + + + + + + + + + + + + + + + + + + + ownedFrom + The date and time of obtaining the product. + + + + + + + + + + + + + + + + + + ownedThrough + The date and time of giving up ownership on the product. + + + + + + + + + + + + + + + + + + + For an <a class="localLink" href="/Organization">Organization</a> (often but not necessarily a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>), a description of organizational ownership structure; funding and grants. In a news/media setting, this is with particular reference to editorial independence. Note that the <a class="localLink" href="/funder">funder</a> is also available and can be used to make basic funder information machine-readable. + ownershipFundingInfo + + + + + + + + + + + + + + + + + + + + + + + owns + Products owned by the organization or person. + + + + + + + + + + + + + + + + + + + + + + + The page on which the work ends; for example "138" or "xvi". + pageEnd + + + + + + + + + + + + + + + + + + + + + + + + The page on which the work starts; for example "135" or "xiii". + pageStart + + + + + + + + + + + + + + + + + + + + + + + + Any description of pages that is not separated into pageStart and pageEnd; for example, "1-6, 9, 55" or "10-12, 46-49". + pagination + + + + + + + + + + + + + + + + + + + + + + + parent + A parent of this person. + + + + + + + + + + + + + + + + + + + + + The parent of a question, answer or item in general. Typically used for Q/A discussion threads e.g. a chain of comments with the first comment being an <a class="localLink" href="/Article">Article</a> or other <a class="localLink" href="/CreativeWork">CreativeWork</a>. See also <a class="localLink" href="/comment">comment</a> which points from something to a comment about it. + parentItem + + + + + + + + + + + + + + + + + + + + + + + + + The larger organization that this organization is a <a class="localLink" href="/subOrganization">subOrganization</a> of, if any. + parentOrganization + + + + + + + + + + + + + + + + + + + + + A broadcast service to which the broadcast service may belong to such as regional variations of a national channel. + parentService + + + + + + + + + + + + + + + + + + + + + parentTaxon + Closest parent taxon of the taxon in question. + + + + + + + + + + + + + + + + + + + + + + A parents of the person. + + parents + + + + + + + + + + + + + + + + + + + + + partOfEpisode + The episode to which this clip belongs. + + + + + + + + + + + + + + + + + + + + + + The order is being paid as part of the referenced Invoice. + partOfInvoice + + + + + + + + + + + + + + + + + + + + + partOfOrder + The overall order the items in this delivery were included in. + + + + + + + + + + + + + + + + + + + + + The season to which this episode belongs. + partOfSeason + + + + + + + + + + + + + + + + + + + + + + + The series to which this episode or season belongs. + + partOfSeries + + + + + + + + + + + + + + + + + + + + + + + The anatomical or organ system that this structure is part of. + partOfSystem + + + + + + + + + + + + + + + + + + + + + + partOfTVSeries + + The TV series to which this episode or season belongs. + + + + + + + + + + + + + + + + + + + + + + + Identifies that this <a class="localLink" href="/Trip">Trip</a> is a subTrip of another Trip. For example Day 1, Day 2, etc. of a multi-day trip. + partOfTrip + + + + + + + + + + + + + + + + + + + + + + Other co-agents that participated in the action indirectly. E.g. John wrote a book with <em>Steve</em>. + participant + + + + + + + + + + + + + + + + + + + + + + partySize + Number of people the reservation should accommodate. + + + + + + + + + + + + + + + + + + + + + + + passengerPriorityStatus + The priority status assigned to a passenger for security or boarding (e.g. FastTrack or Priority). + + + + + + + + + + + + + + + + + + + + + The passenger's sequence number as assigned by the airline. + passengerSequenceNumber + + + + + + + + + + + + + + + + + + + + Changes in the normal mechanical, physical, and biochemical functions that are associated with this activity or condition. + pathophysiology + + + + + + + + + + + + + + + + + + + + + pattern + A pattern that something has, for example 'polka dot', 'striped', 'Canadian flag'. Values are typically expressed as text, although links to controlled value schemes are also supported. + + + + + + + + + + + + + + + + + + + + + + The permitted weight of passengers and cargo, EXCLUDING the weight of the empty vehicle.<br/><br/> + +Typical unit code(s): KGM for kilogram, LBR for pound<br/><br/> + +<ul> +<li>Note 1: Many databases specify the permitted TOTAL weight instead, which is the sum of <a class="localLink" href="/weight">weight</a> and <a class="localLink" href="/payload">payload</a></li> +<li>Note 2: You can indicate additional information in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> node.</li> +<li>Note 3: You may also link to a <a class="localLink" href="/QualitativeValue">QualitativeValue</a> node that provides additional information using <a class="localLink" href="/valueReference">valueReference</a>.</li> +<li>Note 4: Note that you can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + payload + + + + + + + + + + + + + + + + + + + + + paymentAccepted + Cash, Credit Card, Cryptocurrency, Local Exchange Tradings System, etc. + + + + + + + + + + + + + + + + + + + + paymentDue + + The date that payment is due. + + + + + + + + + + + + + + + + + + + paymentDueDate + The date that payment is due. + + + + + + + + + + + + + + + + + + + + The name of the credit card or other method of payment for the order. + paymentMethod + + + + + + + + + + + + + + + + + + + + + + paymentMethodId + An identifier for the method of payment used (e.g. the last 4 digits of the credit card). + + + + + + + + + + + + + + + + + + + + + The type of a payment method. + paymentMethodType + + + + + + + + + + + + + + + + + + + + + paymentStatus + The status of payment; whether the invoice has been paid or not. + + + + + + + + + + + + + + + + + + + + + The URL for sending a payment. + paymentUrl + + + + + + + + + + + + + + + + + + + + The individual who draws the primary narrative artwork. + penciler + + + + + + + + + + + + + + + + + + + + + + + The 10th percentile value. + percentile10 + + + + + + + + + + + + + + + + + + The 25th percentile value. + percentile25 + + + + + + + + + + + + + + + + + + The 75th percentile value. + percentile75 + + + + + + + + + + + + + + + + + + percentile90 + The 90th percentile value. + + + + + + + + + + + + + + + + + + The length of time it takes to perform instructions or a direction (not including time to prepare the supplies), in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>. + performTime + + + + + + + + + + + + + + + + + + + + + + performer + A performer at the event&#x2014;for example, a presenter, musician, musical group or actor. + + + + + + + + + + + + + + + + + + + + + + performerIn + Event that this person is a performer or participant in. + + + + + + + + + + + + + + + + + + + + + + performers + The main performer or performers of the event&#x2014;for example, a presenter, musician, or actor. + + + + + + + + + + + + + + + + + + + + + + permissionType + The type of permission granted the person, organization, or audience. + + + + + + + + + + + + + + + + + + + + + Permission(s) required to run the app (for example, a mobile app may require full internet access or may run only on wifi). + permissions + + + + + + + + + + + + + + + + + + + + The target audience for this permit. + permitAudience + + + + + + + + + + + + + + + + + + + + + permittedUsage + Indications regarding the permitted usage of the accommodation. + + + + + + + + + + + + + + + + + + + + petsAllowed + Indicates whether pets are allowed to enter the accommodation or lodging business. More detailed information can be put in a text value. + + + + + + + + + + + + + + + + + + + + + + + + phoneticText + Representation of a text <a class="localLink" href="/textValue">textValue</a> using the specified <a class="localLink" href="/speechToTextMarkup">speechToTextMarkup</a>. For example the city name of Houston in IPA: /ˈhjuːstən/. + + + + + + + + + + + + + + + + + + + + + A photograph of this place. + photo + + + + + + + + + + + + + + + + + + + + + + + photos + Photographs of this place. + + + + + + + + + + + + + + + + + + + + + + physicalRequirement + A description of the types of physical activity associated with the job. Defined terms such as those in O*net may be used, but note that there is no way to specify the level of ability as well as its nature when using a defined term. + + + + + + + + + + + + + + + + + + + + + physiologicalBenefits + Specific physiologic benefits associated to the plan. + + + + + + + + + + + + + + + + + + + + pickupLocation + Where a taxi will pick up a passenger or a rental car can be picked up. + + + + + + + + + + + + + + + + + + + + + + pickupTime + When a taxi will pick up a passenger or a rental car can be picked up. + + + + + + + + + + + + + + + + + + + Indicates whether this game is multi-player, co-op or single-player. The game can be marked as multi-player, co-op and single-player at the same time. + playMode + + + + + + + + + + + + + + + + + + + + + + Player type required&#x2014;for example, Flash or Silverlight. + playerType + + + + + + + + + + + + + + + + + + + + Number of players on the server. + playersOnline + + + + + + + + + + + + + + + + + + A polygon is the area enclosed by a point-to-point path for which the starting and ending points are the same. A polygon is expressed as a series of four or more space delimited points where the first and final points are identical. + polygon + + + + + + + + + + + + + + + + + + + + populationType + Indicates the populationType common to all members of a <a class="localLink" href="/StatisticalPopulation">StatisticalPopulation</a> or all cases within the scope of a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>. + + + + + + + + + + + + + + + + + + + + + + position + The position of an item in a series or sequence of items. + + + + + + + + + + + + + + + + + + + + + + Provides positive considerations regarding something, for example product highlights or (alongside <a class="localLink" href="/negativeNotes">negativeNotes</a>) pro/con lists for reviews.<br/><br/> + +In the case of a <a class="localLink" href="/Review">Review</a>, the property describes the <a class="localLink" href="/itemReviewed">itemReviewed</a> from the perspective of the review; in the case of a <a class="localLink" href="/Product">Product</a>, the product itself is being described.<br/><br/> + +The property values can be expressed either as unstructured text (repeated as necessary), or if ordered, as a list (in which case the most positive is at the beginning of the list). + positiveNotes + + + + + + + + + + + + + + + + + + + + + + + + possibleComplication + A possible unexpected and unfavorable evolution of a medical condition. Complications may include worsening of the signs or symptoms of the disease, extension of the condition to other organ systems, etc. + + + + + + + + + + + + + + + + + + + + A possible treatment to address this condition, sign or symptom. + possibleTreatment + + + + + + + + + + + + + + + + + + + + + + postOfficeBoxNumber + The post office box number for PO box addresses. + + + + + + + + + + + + + + + + + + + + A description of the postoperative procedures, care, and/or followups for this device. + postOp + + + + + + + + + + + + + + + + + + + + postalCode + The postal code. For example, 94043. + + + + + + + + + + + + + + + + + + + + + + + postalCodeBegin + First postal code in a range (included). + + + + + + + + + + + + + + + + + + + + postalCodeEnd + Last postal code in the range (included). Needs to be after <a class="localLink" href="/postalCodeBegin">postalCodeBegin</a>. + + + + + + + + + + + + + + + + + + + + postalCodePrefix + A defined range of postal codes indicated by a common textual prefix. Used for non-numeric systems such as UK. + + + + + + + + + + + + + + + + + + + + postalCodeRange + A defined range of postal codes. + + + + + + + + + + + + + + + + + + + + + potentialAction + Indicates a potential Action, which describes an idealized action in which this thing would play an 'object' role. + + + + + + + + + + + + + + + + + + + + + potentialUse + Intended use of the BioChemEntity by humans. + + + + + + + + + + + + + + + + + + + + + + practicesAt + A <a class="localLink" href="/MedicalOrganization">MedicalOrganization</a> where the <a class="localLink" href="/IndividualPhysician">IndividualPhysician</a> practices. + + + + + + + + + + + + + + + + + + + + + preOp + A description of the workup, testing, and other preparations required before implanting this device. + + + + + + + + + + + + + + + + + + + + predecessorOf + A pointer from a previous, often discontinued variant of the product to its newer variant. + + + + + + + + + + + + + + + + + + + + + pregnancyCategory + Pregnancy category of this drug. + + + + + + + + + + + + + + + + + + + + + Any precaution, guidance, contraindication, etc. related to this drug's use during pregnancy. + pregnancyWarning + + + + + + + + + + + + + + + + + + + + The length of time it takes to prepare the items to be used in instructions or a direction, in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>. + prepTime + + + + + + + + + + + + + + + + + + + + + + Typical preparation that a patient must undergo before having the procedure performed. + preparation + + + + + + + + + + + + + + + + + + + + + Link to prescribing information for the drug. + prescribingInfo + + + + + + + + + + + + + + + + + + + + prescriptionStatus + Indicates the status of drug prescription, e.g. local catalogs classifications or whether the drug is available by prescription or over-the-counter, etc. + + + + + + + + + + + + + + + + + + + + + A link to the ListItem that precedes the current one. + previousItem + + + + + + + + + + + + + + + + + + + + + previousStartDate + Used in conjunction with eventStatus for rescheduled or cancelled events. This property contains the previously scheduled start date. For rescheduled events, the startDate property should be used for the newly scheduled start date. In the (rare) case of an event that has been postponed and rescheduled multiple times, this field may be repeated. + + + + + + + + + + + + + + + + + + price + The offer price of a product, or of a price component when attached to PriceSpecification and its subtypes.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use the <a class="localLink" href="/priceCurrency">priceCurrency</a> property (with standard formats: <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217 currency format</a>, e.g. "USD"; <a href="https://en.wikipedia.org/wiki/List_of_cryptocurrencies">Ticker symbol</a> for cryptocurrencies, e.g. "BTC"; well known names for <a href="https://en.wikipedia.org/wiki/Local_exchange_trading_system">Local Exchange Trading Systems</a> (LETS) and other currency types, e.g. "Ithaca HOUR") instead of including <a href="http://en.wikipedia.org/wiki/Dollar_sign#Currencies_that_use_the_dollar_or_peso_sign">ambiguous symbols</a> such as '$' in the value.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +<li>Note that both <a href="http://www.w3.org/TR/xhtml-rdfa-primer/#using-the-content-attribute">RDFa</a> and Microdata syntax allow the use of a "content=" attribute for publishing simple machine-readable values alongside more human-friendly formatting.</li> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + + + + This property links to all <a class="localLink" href="/UnitPriceSpecification">UnitPriceSpecification</a> nodes that apply in parallel for the <a class="localLink" href="/CompoundPriceSpecification">CompoundPriceSpecification</a> node. + priceComponent + + + + + + + + + + + + + + + + + + + + + Identifies a price component (for example, a line item on an invoice), part of the total price for an offer. + priceComponentType + + + + + + + + + + + + + + + + + + + + + priceCurrency + The currency of the price, or a price component when attached to <a class="localLink" href="/PriceSpecification">PriceSpecification</a> and its subtypes.<br/><br/> + +Use standard formats: <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217 currency format</a>, e.g. "USD"; <a href="https://en.wikipedia.org/wiki/List_of_cryptocurrencies">Ticker symbol</a> for cryptocurrencies, e.g. "BTC"; well known names for <a href="https://en.wikipedia.org/wiki/Local_exchange_trading_system">Local Exchange Trading Systems</a> (LETS) and other currency types, e.g. "Ithaca HOUR". + + + + + + + + + + + + + + + + + + + + + + + + + The price range of the business, for example <code>$$$</code>. + priceRange + + + + + + + + + + + + + + + + + + + + priceSpecification + One or more detailed price specifications, indicating the unit price and delivery or payment charges. + + + + + + + + + + + + + + + + + + + + + + + + Defines the type of a price specified for an offered product, for example a list price, a (temporary) sale price or a manufacturer suggested retail price. If multiple prices are specified for an offer the <a class="localLink" href="/priceType">priceType</a> property can be used to identify the type of each such specified price. The value of priceType can be specified as a value from enumeration PriceTypeEnumeration or as a free form text string for price types that are not already predefined in PriceTypeEnumeration. + priceType + + + + + + + + + + + + + + + + + + + + + + The date after which the price is no longer available. + priceValidUntil + + + + + + + + + + + + + + + + + + Indicates the main image on the page. + primaryImageOfPage + + + + + + + + + + + + + + + + + + + + + primaryPrevention + A preventative therapy used to prevent an initial occurrence of the medical condition, such as vaccination. + + + + + + + + + + + + + + + + + + + + + The number of the column in which the NewsArticle appears in the print edition. + printColumn + + + + + + + + + + + + + + + + + + + + The edition of the print product in which the NewsArticle appears. + printEdition + + + + + + + + + + + + + + + + + + + + If this NewsArticle appears in print, this field indicates the name of the page on which the article is found. Please note that this field is intended for the exact page name (e.g. A5, B18). + printPage + + + + + + + + + + + + + + + + + + + + printSection + If this NewsArticle appears in print, this field indicates the print section in which the article appeared. + + + + + + + + + + + + + + + + + + + + procedure + A description of the procedure involved in setting up, using, and/or installing the device. + + + + + + + + + + + + + + + + + + + + procedureType + The type of procedure, for example Surgical, Noninvasive, or Percutaneous. + + + + + + + + + + + + + + + + + + + + + processingTime + Estimated processing time for the service using this channel. + + + + + + + + + + + + + + + + + + + + + processorRequirements + Processor architecture required to run the application (e.g. IA64). + + + + + + + + + + + + + + + + + + + + producer + The person or organization who produced the work (e.g. music album, movie, TV/radio series etc.). + + + + + + + + + + + + + + + + + + + + + + produces + The tangible thing generated by the service, e.g. a passport, permit, etc. + + + + + + + + + + + + + + + + + + + + + + Indicates a textual identifier for a ProductGroup. + productGroupID + + + + + + + + + + + + + + + + + + + + The product identifier, such as ISBN. For example: <code>meta itemprop="productID" content="isbn:123-456-789"</code>. + productID + + + + + + + + + + + + + + + + + + + + + productReturnDays + + The productReturnDays property indicates the number of days (from purchase) within which relevant product return policy is applicable. + + + + + + + + + + + + + + + + + + + Indicates a Web page or service by URL, for product return. + productReturnLink + + + + + + + + + + + + + + + + + + + + The product or service this support contact point is related to (such as product support for a particular product line). This can be a specific product or product line (e.g. "iPhone") or a general category of products or services (e.g. "smartphones"). + productSupported + + + + + + + + + + + + + + + + + + + + + The production company or studio responsible for the item, e.g. series, video game, episode etc. + productionCompany + + + + + + + + + + + + + + + + + + + + + + + + + + + + productionDate + The date of production of the item, e.g. vehicle. + + + + + + + + + + + + + + + + + + + Proficiency needed for this content; expected values: 'Beginner', 'Expert'. + proficiencyLevel + + + + + + + + + + + + + + + + + + + + program + The <a href="https://schema.org/MemberProgram">MemberProgram</a> associated with a <a href="https://schema.org/ProgramMembership">ProgramMembership</a>. + + + + + + + + + + + + + + + + + + + + + programMembershipUsed + Any membership in a frequent flyer, hotel loyalty program, etc. being applied to the reservation. + + + + + + + + + + + + + + + + + + + + + The program providing the membership. It is preferable to use <a href="https://schema.org/program">:program</a> instead. + programName + + + + + + + + + + + + + + + + + + + + programPrerequisites + Prerequisites for enrolling in the program. + + + + + + + + + + + + + + + + + + + + + + + The type of educational or occupational program. For example, classroom, internship, alternance, etc. + programType + + + + + + + + + + + + + + + + + + + + + The computer programming language. + programmingLanguage + + + + + + + + + + + + + + + + + + + + + Indicates whether API is managed or unmanaged. + programmingModel + + + + + + + + + + + + + + + + + + + + A short string listing or describing pronouns for a person. Typically the person concerned is the best authority as pronouns are a critical part of personal identity and expression. Publishers and consumers of this information are reminded to treat this data responsibly, take country-specific laws related to gender expression into account, and be wary of out-of-date data and drawing unwarranted inferences about the person being described.<br/><br/> + +In English, formulations such as "they/them", "she/her", and "he/him" are commonly used online and can also be used here. We do not intend to enumerate all possible micro-syntaxes in all languages. More structured and well-defined external values for pronouns can be referenced using the <a class="localLink" href="/StructuredValue">StructuredValue</a> or <a class="localLink" href="/DefinedTerm">DefinedTerm</a> values. + pronouns + + + + + + + + + + + + + + + + + + + + + + A commonly used identifier for the characteristic represented by the property, e.g. a manufacturer or a standard code for a property. propertyID can be +(1) a prefixed string, mainly meant to be used with standards for product properties; (2) a site-specific, non-prefixed string (e.g. the primary key of the property or the vendor-specific ID of the property), or (3) +a URL indicating the type of the property, either pointing to an external vocabulary, or a Web resource that describes the property (e.g. a glossary entry). +Standards bodies should promote a standard prefix for the identifiers of properties from their standards. + propertyID + + + + + + + + + + + + + + + + + + + + proprietaryName + Proprietary name given to the diet plan, typically by its originator or creator. + + + + + + + + + + + + + + + + + + + + + proteinContent + The number of grams of protein. + + + + + + + + + + + + + + + + + + + + + provider + The service provider, service operator, or service performer; the goods producer. Another party (a seller) may offer those services or goods on behalf of the provider. A provider may also serve as the seller. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + providerMobility + Indicates the mobility of a provided service (e.g. 'static', 'dynamic'). + + + + + + + + + + + + + + + + + + + + + providesBroadcastService + The BroadcastService offered on this channel. + + + + + + + + + + + + + + + + + + + + + The service provided by this channel. + providesService + + + + + + + + + + + + + + + + + + + + + publicAccess + A flag to signal that the <a class="localLink" href="/Place">Place</a> is open to public visitors. If this property is omitted there is no assumed default boolean value. + + + + + + + + + + + + + + + + + + publicTransportClosuresInfo + Information about public transport closures. + + + + + + + + + + + + + + + + + + + + + A publication event associated with the item. + publication + + + + + + + + + + + + + + + + + + + + + The type of the medical article, taken from the US NLM MeSH publication type catalog. See also <a href="http://www.nlm.nih.gov/mesh/pubtypes.html">MeSH documentation</a>. + publicationType + + + + + + + + + + + + + + + + + + + + An agent associated with the publication event. + publishedBy + + + + + + + + + + + + + + + + + + + + + + publishedOn + A broadcast service associated with the publication event. + + + + + + + + + + + + + + + + + + + + + publisher + The publisher of the article in question. + + + + + + + + + + + + + + + + + + + + + + + publisherImprint + The publishing division which published the comic. + + + + + + + + + + + + + + + + + + + + + publishingPrinciples + The publishingPrinciples property indicates (typically via <a class="localLink" href="/URL">URL</a>) a document describing the editorial principles of an <a class="localLink" href="/Organization">Organization</a> (or individual, e.g. a <a class="localLink" href="/Person">Person</a> writing a blog) that relate to their activities as a publisher, e.g. ethics or diversity policies. When applied to a <a class="localLink" href="/CreativeWork">CreativeWork</a> (e.g. <a class="localLink" href="/NewsArticle">NewsArticle</a>) the principles are those of the party primarily responsible for the creation of the <a class="localLink" href="/CreativeWork">CreativeWork</a>.<br/><br/> + +While such policies are most typically expressed in natural language, sometimes related information (e.g. indicating a <a class="localLink" href="/funder">funder</a>) can be expressed using schema.org terminology. + + + + + + + + + + + + + + + + + + + + + + + The date the item, e.g. vehicle, was purchased by the current owner. + purchaseDate + + + + + + + + + + + + + + + + + + + Optional. The maximum price the item can have and still qualify for this offer. + purchasePriceLimit + + + + + + + + + + + + + + + + + + + + + Optional. The type of purchase the consumer must make in order to qualify for this incentive. + purchaseType + + + + + + + + + + + + + + + + + + + + + qualifications + Specific qualifications required for this role or Occupation. + + + + + + + + + + + + + + + + + + + + + + Optional. The types of expenses that are covered by the incentive. For example some incentives are only for the goods (tangible items) but the services (labor) are excluded. + qualifiedExpense + + + + + + + + + + + + + + + + + + + + + quarantineGuidelines + Guidelines about quarantine rules, e.g. in the context of a pandemic. + + + + + + + + + + + + + + + + + + + + + A sub property of instrument. The query used on this action. + query + + + + + + + + + + + + + + + + + + + + + quest + The task that a player-controlled character, or group of characters may complete in order to gain a reward. + + + + + + + + + + + + + + + + + + + + + + question + A sub property of object. A question. + + + + + + + + + + + + + + + + + + + + + + rangeIncludes + Relates a property to a class that constitutes (one of) the expected type(s) for values of the property. + + + + + + + + + + + + + + + + + + + + + ratingCount + The count of total number of ratings. + + + + + + + + + + + + + + + + + + A short explanation (e.g. one to two sentences) providing background context and other information that led to the conclusion expressed in the rating. This is particularly applicable to ratings associated with "fact check" markup using <a class="localLink" href="/ClaimReview">ClaimReview</a>. + ratingExplanation + + + + + + + + + + + + + + + + + + + + ratingValue + The rating for the content.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + readBy + A person who reads (performs) the audiobook. + + + + + + + + + + + + + + + + + + + + + + readonlyValue + Whether or not a property is mutable. Default is false. Specifying this for a property that also has a value makes it act similar to a "hidden" input in an HTML form. + + + + + + + + + + + + + + + + + + realEstateAgent + + A sub property of participant. The real estate agent involved in the action. + + + + + + + + + + + + + + + + + + + + + + recipe + A sub property of instrument. The recipe/instructions used to perform the action. + + + + + + + + + + + + + + + + + + + + + recipeCategory + The category of the recipe—for example, appetizer, entree, etc. + + + + + + + + + + + + + + + + + + + + The cuisine of the recipe (for example, French or Ethiopian). + recipeCuisine + + + + + + + + + + + + + + + + + + + + An ingredient or ordered list of ingredients and potentially quantities used in the recipe, e.g. 1 cup of sugar, flour or garlic. The ingredients can be represented as free text or more structured values. + + recipeIngredient + + + + + + + + + + + + + + + + + + + + + + A step in making the recipe, in the form of a single item (document, video, etc.) or an ordered list with HowToStep and/or HowToSection items. + recipeInstructions + + + + + + + + + + + + + + + + + + + + + + + The quantity produced by the recipe (for example, number of people served, number of servings, etc). + recipeYield + + + + + + + + + + + + + + + + + + + + + + + A sub property of participant. The participant who is at the receiving end of the action. + recipient + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + recognizedBy + An organization that acknowledges the validity, value or utility of a credential. Note: recognition may include a process of quality assurance or accreditation. + + + + + + + + + + + + + + + + + + + + + If applicable, the organization that officially recognizes this entity as part of its endorsed system of medicine. + recognizingAuthority + + + + + + + + + + + + + + + + + + + + + Strength of the guideline's recommendation (e.g. 'class I'). + recommendationStrength + + + + + + + + + + + + + + + + + + + + recommendedIntake + Recommended intake of this supplement for a given population as defined by a specific recommending authority. + + + + + + + + + + + + + + + + + + + + + The label that issued the release. + recordLabel + + + + + + + + + + + + + + + + + + + + + recordedAs + + An audio recording of the work. + + + + + + + + + + + + + + + + + + + + + The Event where the CreativeWork was recorded. The CreativeWork may capture all or part of the event. + + recordedAt + + + + + + + + + + + + + + + + + + + + + recordedIn + + The CreativeWork that captured all or part of this Event. + + + + + + + + + + + + + + + + + + + + + The composition this track is a recording of. + + recordingOf + + + + + + + + + + + + + + + + + + + + + The only way you get the money back in the event of default is the security. Recourse is where you still have the opportunity to go back to the borrower for the rest of the money. + recourseLoan + + + + + + + + + + + + + + + + + + An official who watches a game or match closely to enforce the rules and arbitrate on matters arising from the play such as referees, umpires or judges. The name of the effective function can vary according to the sport. + referee + + + + + + + + + + + + + + + + + + + + + referenceQuantity + The reference quantity for which a certain price applies, e.g. 1 EUR per 4 kWh of electricity. This property is a replacement for unitOfMeasurement for the advanced cases where the price does not relate to a standard unit. + + + + + + + + + + + + + + + + + + + + + referencesOrder + The Order(s) related to this Invoice. One or more Orders may be combined into a single Invoice. + + + + + + + + + + + + + + + + + + + + + A refund type, from an enumerated list. + refundType + + + + + + + + + + + + + + + + + + + + + + The anatomical or organ system drained by this vessel; generally refers to a specific part of an organ. + regionDrained + + + + + + + + + + + + + + + + + + + + + + + The regions where the media is allowed. If not specified, then it's assumed to be allowed everywhere. Specify the countries in <a href="http://en.wikipedia.org/wiki/ISO_3166">ISO 3166 format</a>. + regionsAllowed + + + + + + + + + + + + + + + + + + + + + relatedAnatomy + Anatomical systems or structures that relate to the superficial anatomy. + + + + + + + + + + + + + + + + + + + + + + relatedCondition + A medical condition associated with this anatomy. + + + + + + + + + + + + + + + + + + + + + + + Any other drug related to this one, for example commonly-prescribed alternatives. + relatedDrug + + + + + + + + + + + + + + + + + + + + + A link related to this web page, for example to other related web pages. + relatedLink + + + + + + + + + + + + + + + + + + + + relatedStructure + Related anatomical structure(s) that are not part of the system but relate or connect to it, such as vascular bundles associated with an organ system. + + + + + + + + + + + + + + + + + + + + + A medical therapy related to this anatomy. + relatedTherapy + + + + + + + + + + + + + + + + + + + + + + + relatedTo + The most generic familial relation. + + + + + + + + + + + + + + + + + + + + + releaseDate + The release date of a product or product model. This can be used to distinguish the exact variant of a product. + + + + + + + + + + + + + + + + + + releaseNotes + Description of what changed in this version. + + + + + + + + + + + + + + + + + + + + + The album this is a release of. + releaseOf + + + + + + + + + + + + + + + + + + + + + releasedEvent + The place and time the release was issued, expressed as a PublicationEvent. + + + + + + + + + + + + + + + + + + + + + relevantOccupation + The Occupation for the JobPosting. + + + + + + + + + + + + + + + + + + + + + relevantSpecialty + If applicable, a medical specialty in which this entity is relevant. + + + + + + + + + + + + + + + + + + + + + The number of attendee places for an event that remain unallocated. + remainingAttendeeCapacity + + + + + + + + + + + + + + + + + + Whether the terms for payment of interest can be renegotiated during the life of the loan. + renegotiableLoan + + + + + + + + + + + + + + + + + + Defines the number of times a recurring <a class="localLink" href="/Event">Event</a> will take place. + repeatCount + + + + + + + + + + + + + + + + + + repeatFrequency + Defines the frequency at which <a class="localLink" href="/Event">Event</a>s will occur according to a schedule <a class="localLink" href="/Schedule">Schedule</a>. The intervals between + events should be defined as a <a class="localLink" href="/Duration">Duration</a> of time. + + + + + + + + + + + + + + + + + + + + + + repetitions + Number of times one should repeat the activity. + + + + + + + + + + + + + + + + + + + + + + + replacee + A sub property of object. The object that is being replaced. + + + + + + + + + + + + + + + + + + + + + A sub property of object. The object that replaces. + + replacer + + + + + + + + + + + + + + + + + + + + + replyToUrl + The URL at which a reply may be posted to the specified UserComment. + + + + + + + + + + + + + + + + + + + + reportNumber + The number or other unique designator assigned to a Report by the publishing organization. + + + + + + + + + + + + + + + + + + + + representativeOfPage + Indicates whether this image is representative of the content of the page. + + + + + + + + + + + + + + + + + + requiredCollateral + Assets required to secure loan or credit repayments. It may take form of third party pledge, goods, financial instruments (cash, securities, etc.) + + + + + + + + + + + + + + + + + + + + + Audiences defined by a person's gender. + requiredGender + + + + + + + + + + + + + + + + + + + + Audiences defined by a person's maximum age. + requiredMaxAge + + + + + + + + + + + + + + + + + + requiredMinAge + Audiences defined by a person's minimum age. + + + + + + + + + + + + + + + + + + The required quantity of the item(s). + requiredQuantity + + + + + + + + + + + + + + + + + + + + + + requirements + Component dependency requirements for application. This includes runtime environments and shared libraries that are not included in the application distribution package, but required to run the application (examples: DirectX, Java or .NET runtime). + + + + + + + + + + + + + + + + + + + + + requiresSubscription + Indicates if use of the media require a subscription (either paid or free). Allowed values are <code>true</code> or <code>false</code> (note that an earlier version had 'yes', 'no'). + + + + + + + + + + + + + + + + + + + + + + + The thing -- flight, event, restaurant, etc. being reserved. + reservationFor + + + + + + + + + + + + + + + + + + + + + A unique identifier for the reservation. + reservationId + + + + + + + + + + + + + + + + + + + + The current status of the reservation. + reservationStatus + + + + + + + + + + + + + + + + + + + + + reservedTicket + A ticket associated with the reservation. + + + + + + + + + + + + + + + + + + + + + responsibilities + Responsibilities associated with this role or Occupation. + + + + + + + + + + + + + + + + + + + + + restPeriods + How often one should break from the activity. + + + + + + + + + + + + + + + + + + + + + restockingFee + Use <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a> to specify a fixed restocking fee for product returns, or use <a class="localLink" href="/Number">Number</a> to specify a percentage of the product price paid by the customer. + + + + + + + + + + + + + + + + + + + + + + + The result produced in the action. E.g. John wrote <em>a book</em>. + result + + + + + + + + + + + + + + + + + + + + + resultComment + A sub property of result. The Comment created or sent as a result of this action. + + + + + + + + + + + + + + + + + + + + + + + + A sub property of result. The review that resulted in the performing of the action. + resultReview + + + + + + + + + + + + + + + + + + + + + returnFees + The type of return fees for purchased products (for any return reason). + + + + + + + + + + + + + + + + + + + + + + The method (from an enumeration) by which the customer obtains a return shipping label for a product returned for any reason. + returnLabelSource + + + + + + + + + + + + + + + + + + + + + returnMethod + The type of return method offered, specified from an enumeration. + + + + + + + + + + + + + + + + + + + + + + Specifies an applicable return policy (from an enumeration). + returnPolicyCategory + + + + + + + + + + + + + + + + + + + + + + The country where the product has to be sent to for returns, for example "Ireland" using the <a class="localLink" href="/name">name</a> property of <a class="localLink" href="/Country">Country</a>. You can also provide the two-letter <a href="http://en.wikipedia.org/wiki/ISO_3166-1">ISO 3166-1 alpha-2 country code</a>. Note that this can be different from the country where the product was originally shipped from or sent to. + returnPolicyCountry + + + + + + + + + + + + + + + + + + + + + returnPolicySeasonalOverride + Seasonal override of a return policy. + + + + + + + + + + + + + + + + + + + + + Amount of shipping costs for product returns (for any reason). Applicable when property <a class="localLink" href="/returnFees">returnFees</a> equals <a class="localLink" href="/ReturnShippingFees">ReturnShippingFees</a>. + returnShippingFeesAmount + + + + + + + + + + + + + + + + + + + + + + review + A review of the item. + + + + + + + + + + + + + + + + + + + + + + + + + + + + reviewAspect + This Review or Rating is relevant to this part or facet of the itemReviewed. + + + + + + + + + + + + + + + + + + + + + + The actual body of the review. + reviewBody + + + + + + + + + + + + + + + + + + + + reviewCount + The count of total number of reviews. + + + + + + + + + + + + + + + + + + The rating given in this review. Note that reviews can themselves be rated. The <code>reviewRating</code> applies to rating given by the review. The <a class="localLink" href="/aggregateRating">aggregateRating</a> property applies to the review itself, as a creative work. + reviewRating + + + + + + + + + + + + + + + + + + + + + reviewedBy + People or organizations that have reviewed the content on this web page for accuracy and/or completeness. + + + + + + + + + + + + + + + + + + + + + + + Review of the item. + reviews + + + + + + + + + + + + + + + + + + + + + + + + + riskFactor + A modifiable or non-modifiable factor that increases the risk of a patient contracting this condition, e.g. age, coexisting condition. + + + + + + + + + + + + + + + + + + + + + risks + Specific physiologic risks associated to the diet plan. + + + + + + + + + + + + + + + + + + + + roleName + A role played, performed or filled by a person or organization. For example, the team of creators for a comic book might fill the roles named 'inker', 'penciller', and 'letterer'; or an athlete in a SportsTeam might play in the position named 'Quarterback'. + + + + + + + + + + + + + + + + + + + + roofLoad + The permitted total weight of cargo and installations (e.g. a roof rack) on top of the vehicle.<br/><br/> + +Typical unit code(s): KGM for kilogram, LBR for pound<br/><br/> + +<ul> +<li>Note 1: You can indicate additional information in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> node.</li> +<li>Note 2: You may also link to a <a class="localLink" href="/QualitativeValue">QualitativeValue</a> node that provides additional information using <a class="localLink" href="/valueReference">valueReference</a></li> +<li>Note 3: Note that you can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + + The response (yes, no, maybe) to the RSVP. + rsvpResponse + + + + + + + + + + + + + + + + + + + + + The vasculature the lymphatic structure runs, or efferents, to. + runsTo + + + + + + + + + + + + + + + + + + + + + + Runtime platform or script interpreter dependencies (example: Java v1, Python 2.3, .NET Framework 3.0). + runtime + + + + + + + + + + + + + + + + + + + + runtimePlatform + Runtime platform or script interpreter dependencies (example: Java v1, Python 2.3, .NET Framework 3.0). + + + + + + + + + + + + + + + + + + + + rxcui + The RxCUI drug identifier from RXNORM. + + + + + + + + + + + + + + + + + + + + safetyConsideration + Any potential safety concern associated with the supplement. May include interactions with other drugs and foods, pregnancy, breastfeeding, known adverse reactions, and documented efficacy of the supplement. + + + + + + + + + + + + + + + + + + + + salaryCurrency + The currency (coded using <a href="http://en.wikipedia.org/wiki/ISO_4217">ISO 4217</a>) used for the main salary information in this job posting or for this employee. + + + + + + + + + + + + + + + + + + + + + The expected salary upon completing the training. + salaryUponCompletion + + + + + + + + + + + + + + + + + + + + + sameAs + URL of a reference Web page that unambiguously indicates the item's identity. E.g. the URL of the item's Wikipedia page, Wikidata entry, or official website. + + + + + + + + + + + + + + + + + + + + sampleType + + What type of code sample: full (compile ready) solution, code snippet, inline code, scripts, template. + + + + + + + + + + + + + + + + + + + + The number of grams of saturated fat. + saturatedFatContent + + + + + + + + + + + + + + + + + + + + + scheduleTimezone + Indicates the timezone for which the time(s) indicated in the <a class="localLink" href="/Schedule">Schedule</a> are given. The value provided should be among those listed in the IANA Time Zone Database. + + + + + + + + + + + + + + + + + + + + scheduledPaymentDate + The date the invoice is scheduled to be paid. + + + + + + + + + + + + + + + + + + The time the object is scheduled to. + scheduledTime + + + + + + + + + + + + + + + + + + + Indicates (by URL or string) a particular version of a schema used in some CreativeWork. This property was created primarily to + indicate the use of a specific schema.org release, e.g. <code>10.0</code> as a simple string, or more explicitly via URL, <code>https://schema.org/docs/releases.html#v10.0</code>. There may be situations in which other schemas might usefully be referenced this way, e.g. <code>http://dublincore.org/specifications/dublin-core/dces/1999-07-02/</code> but this has not been carefully explored in the community. + schemaVersion + + + + + + + + + + + + + + + + + + + + schoolClosuresInfo + Information about school closures. + + + + + + + + + + + + + + + + + + + + + screenCount + The number of screens in the movie theater. + + + + + + + + + + + + + + + + + + screenshot + A link to a screenshot image of the app. + + + + + + + + + + + + + + + + + + + + + Indicates the date on which the current structured data was generated / published. Typically used alongside <a class="localLink" href="/sdPublisher">sdPublisher</a>. + sdDatePublished + + + + + + + + + + + + + + + + + + sdLicense + A license document that applies to this structured data, typically indicated by URL. + + + + + + + + + + + + + + + + + + + + + sdPublisher + Indicates the party responsible for generating and publishing the current structured data markup, typically in cases where the structured data is derived automatically from existing published content but published on a different site. For example, student projects and open data initiatives often re-publish existing content with more explicitly structured metadata. The +<a class="localLink" href="/sdPublisher">sdPublisher</a> property helps make such practices more explicit. + + + + + + + + + + + + + + + + + + + + + + + A season in a media series. + season + + + + + + + + + + + + + + + + + + + + + + + + seasonNumber + + Position of the season within an ordered group of seasons. + + + + + + + + + + + + + + + + + + + + + seasonalOverride + Limited period during which these shipping conditions apply. + + + + + + + + + + + + + + + + + + + + + A season in a media series. + + seasons + + + + + + + + + + + + + + + + + + + + + + + seatNumber + The location of the reserved seat (e.g., 27). + + + + + + + + + + + + + + + + + + + + seatRow + The row location of the reserved seat (e.g., B). + + + + + + + + + + + + + + + + + + + + seatSection + The section location of the reserved seat (e.g. Orchestra). + + + + + + + + + + + + + + + + + + + + seatingCapacity + The number of persons that can be seated (e.g. in a vehicle), both in terms of the physical space available, and in terms of limitations set by law.<br/><br/> + +Typical unit code(s): C62 for persons. + + + + + + + + + + + + + + + + + + + + + + seatingType + The type/class of the seat. + + + + + + + + + + + + + + + + + + + + + A preventative therapy used to prevent reoccurrence of the medical condition after an initial episode of the condition. + secondaryPrevention + + + + + + + + + + + + + + + + + + + + + A description of any security clearance requirements of the job. + securityClearanceRequirement + + + + + + + + + + + + + + + + + + + + securityScreening + The type of security screening the passenger is subject to. + + + + + + + + + + + + + + + + + + + + A pointer to products or services sought by the organization or person (demand). + seeks + + + + + + + + + + + + + + + + + + + + + + An entity which offers (sells / leases / lends / loans) the services / goods. A seller may also be a provider. + seller + + + + + + + + + + + + + + + + + + + + + + + + + + + sender + A sub property of participant. The participant who is at the sending end of the action. + + + + + + + + + + + + + + + + + + + + + + + + + A description of any sensory requirements and levels necessary to function on the job, including hearing and vision. Defined terms such as those in O*net may be used, but note that there is no way to specify the level of ability as well as its nature when using a defined term. + sensoryRequirement + + + + + + + + + + + + + + + + + + + + + The neurological pathway extension that inputs and sends information to the brain or spinal cord. + sensoryUnit + + + + + + + + + + + + + + + + + + + + + + + The serial number or any alphanumeric identifier of a particular product. When attached to an offer, it is a shortcut for the serial number of the product included in the offer. + serialNumber + + + + + + + + + + + + + + + + + + + + + + A possible serious complication and/or serious side effect of this therapy. Serious adverse outcomes include those that are life-threatening; result in death, disability, or permanent damage; require hospitalization or prolong existing hospitalization; cause congenital anomalies or birth defects; or jeopardize the patient and may require medical or surgical intervention to prevent one of the outcomes in this definition. + seriousAdverseOutcome + + + + + + + + + + + + + + + + + + + + + + serverStatus + Status of a game server. + + + + + + + + + + + + + + + + + + + + + The cuisine of the restaurant. + servesCuisine + + + + + + + + + + + + + + + + + + + + The geographic area where the service is provided. + serviceArea + + + + + + + + + + + + + + + + + + + + + + + + + + + serviceAudience + The audience eligible for this service. + + + + + + + + + + + + + + + + + + + + + serviceLocation + The location (e.g. civic structure, local business, etc.) where a person can go to access the service. + + + + + + + + + + + + + + + + + + + + + serviceOperator + The operating organization, if different from the provider. This enables the representation of services that are provided by an organization, but operated by another organization like a subcontractor. + + + + + + + + + + + + + + + + + + + + + The tangible thing generated by the service, e.g. a passport, permit, etc. + serviceOutput + + + + + + + + + + + + + + + + + + + + + servicePhone + The phone number to use to access the service. + + + + + + + + + + + + + + + + + + + + + The address for accessing the service by mail. + servicePostalAddress + + + + + + + + + + + + + + + + + + + + + serviceSmsNumber + The number to access the service by text message. + + + + + + + + + + + + + + + + + + + + + serviceType + The type of service being offered, e.g. veterans' benefits, emergency relief, etc. + + + + + + + + + + + + + + + + + + + + + The website to access the service. + serviceUrl + + + + + + + + + + + + + + + + + + + + The serving size, in terms of the number of volume or mass. + servingSize + + + + + + + + + + + + + + + + + + + + sha256 + The <a href="https://en.wikipedia.org/wiki/SHA-2">SHA-2</a> SHA256 hash of the content of the item. For example, a zero-length input has value 'e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855'. + + + + + + + + + + + + + + + + + + + + + A CreativeWork such as an image, video, or audio clip shared as part of this posting. + sharedContent + + + + + + + + + + + + + + + + + + + + + + shippingConditions + The conditions (constraints, price) applicable to the <a class="localLink" href="/ShippingService">ShippingService</a>. + + + + + + + + + + + + + + + + + + + + + shippingDestination + indicates (possibly multiple) shipping destinations. These can be defined in several ways, e.g. postalCode ranges. + + + + + + + + + + + + + + + + + + + + + + + + shippingDetails + Indicates information about the shipping policies and options associated with an <a class="localLink" href="/Offer">Offer</a>. + + + + + + + + + + + + + + + + + + + + + Label to match an <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a> with a <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a> (within the context of a <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> cross-reference). + shippingLabel + + + + + + + + + + + + + + + + + + + + + shippingOrigin + Indicates the origin of a shipment, i.e. where it should be coming from. + + + + + + + + + + + + + + + + + + + + + + shippingRate + The shipping rate is the cost of shipping to the specified destination. Typically, the maxValue and currency values (of the <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a>) are most appropriate. + + + + + + + + + + + + + + + + + + + + + + + + shippingSettingsLink + Link to a page containing <a class="localLink" href="/ShippingRateSettings">ShippingRateSettings</a> and <a class="localLink" href="/DeliveryTimeSettings">DeliveryTimeSettings</a> details. + + + + + + + + + + + + + + + + + + + + A sibling of the person. + sibling + + + + + + + + + + + + + + + + + + + + + siblings + A sibling of the person. + + + + + + + + + + + + + + + + + + + + + + A sign detected by the test. + signDetected + + + + + + + + + + + + + + + + + + + + + signOrSymptom + A sign or symptom of this condition. Signs are objective or physically observable manifestations of the medical condition while symptoms are the subjective experience of the medical condition. + + + + + + + + + + + + + + + + + + + + + The significance associated with the superficial anatomy; as an example, how characteristics of the superficial anatomy can suggest underlying medical conditions or courses of treatment. + significance + + + + + + + + + + + + + + + + + + + + One of the more significant URLs on the page. Typically, these are the non-navigation links that are clicked on the most. + significantLink + + + + + + + + + + + + + + + + + + + + The most significant URLs on the page. Typically, these are the non-navigation links that are clicked on the most. + + significantLinks + + + + + + + + + + + + + + + + + + + + size + A standardized size of a product or creative work, specified either through a simple textual string (for example 'XL', '32Wx34L'), a QuantitativeValue with a unitCode, or a comprehensive and structured <a class="localLink" href="/SizeSpecification">SizeSpecification</a>; in other cases, the <a class="localLink" href="/width">width</a>, <a class="localLink" href="/height">height</a>, <a class="localLink" href="/depth">depth</a> and <a class="localLink" href="/weight">weight</a> properties may be more applicable. + + + + + + + + + + + + + + + + + + + + + + + + The size group (also known as "size type") for a product's size. Size groups are common in the fashion industry to define size segments and suggested audiences for wearable products. Multiple values can be combined, for example "men's big and tall", "petite maternity" or "regular". + sizeGroup + + + + + + + + + + + + + + + + + + + + + The size system used to identify a product's size. Typically either a standard (for example, "GS1" or "ISO-EN13402"), country code (for example "US" or "JP"), or a measuring system (for example "Metric" or "Imperial"). + sizeSystem + + + + + + + + + + + + + + + + + + + + + skills + A statement of knowledge, skill, ability, task or any other assertion expressing a competency that is either claimed by a person, an organization or desired or required to fulfill a role or to work in an occupation. + + + + + + + + + + + + + + + + + + + + + + + + + sku + The Stock Keeping Unit (SKU), i.e. a merchant-specific identifier for a product or service, or the product to which the offer refers. + + + + + + + + + + + + + + + + + + + + + + A slogan or motto associated with the item. + slogan + + + + + + + + + + + + + + + + + + + + + + + + smiles + A specification in form of a line notation for describing the structure of chemical species using short ASCII strings. Double bond stereochemistry \ indicators may need to be escaped in the string in formats where the backslash is an escape character. + + + + + + + + + + + + + + + + + + + + + smokingAllowed + Indicates whether it is allowed to smoke in the place, e.g. in the restaurant, hotel or hotel room. + + + + + + + + + + + + + + + + + + sodiumContent + The number of milligrams of sodium. + + + + + + + + + + + + + + + + + + + + + Additional content for a software application. + softwareAddOn + + + + + + + + + + + + + + + + + + + + + Software application help. + softwareHelp + + + + + + + + + + + + + + + + + + + + + softwareRequirements + Component dependency requirements for application. This includes runtime environments and shared libraries that are not included in the application distribution package, but required to run the application (examples: DirectX, Java or .NET runtime). + + + + + + + + + + + + + + + + + + + + Version of the software instance. + softwareVersion + + + + + + + + + + + + + + + + + + + + The Organization on whose behalf the creator was working. + sourceOrganization + + + + + + + + + + + + + + + + + + + + + The neurological pathway that originates the neurons. + sourcedFrom + + + + + + + + + + + + + + + + + + + + + The "spatial" property can be used in cases when more specific properties +(e.g. <a class="localLink" href="/locationCreated">locationCreated</a>, <a class="localLink" href="/spatialCoverage">spatialCoverage</a>, <a class="localLink" href="/contentLocation">contentLocation</a>) are not known to be appropriate. + spatial + + + + + + + + + + + + + + + + + + + + + The spatialCoverage of a CreativeWork indicates the place(s) which are the focus of the content. It is a subproperty of + contentLocation intended primarily for more technical and detailed materials. For example with a Dataset, it indicates + areas that the dataset describes: a dataset of New York weather would have spatialCoverage which was the place: the state of New York. + + spatialCoverage + + + + + + + + + + + + + + + + + + + + + Indicates sections of a Web page that are particularly 'speakable' in the sense of being highlighted as being especially appropriate for text-to-speech conversion. Other sections of a page may also be usefully spoken in particular circumstances; the 'speakable' property serves to indicate the parts most likely to be generally useful for speech.<br/><br/> + +The <em>speakable</em> property can be repeated an arbitrary number of times, with three kinds of possible 'content-locator' values:<br/><br/> + +1.) <em>id-value</em> URL references - uses <em>id-value</em> of an element in the page being annotated. The simplest use of <em>speakable</em> has (potentially relative) URL values, referencing identified sections of the document concerned.<br/><br/> + +2.) CSS Selectors - addresses content in the annotated page, e.g. via class attribute. Use the <a class="localLink" href="/cssSelector">cssSelector</a> property.<br/><br/> + +3.) XPaths - addresses content via XPaths (assuming an XML view of the content). Use the <a class="localLink" href="/xpath">xpath</a> property.<br/><br/> + +For more sophisticated markup of speakable sections beyond simple ID references, either CSS selectors or XPath expressions to pick out document section(s) as speakable. For this +we define a supporting type, <a class="localLink" href="/SpeakableSpecification">SpeakableSpecification</a> which is defined to be a possible value of the <em>speakable</em> property. + speakable + + + + + + + + + + + + + + + + + + + + + + specialCommitments + Any special commitments associated with this job posting. Valid entries include VeteranCommit, MilitarySpouseCommit, etc. + + + + + + + + + + + + + + + + + + + + specialOpeningHoursSpecification + The special opening hours of a certain place.<br/><br/> + +Use this to explicitly override general opening hours brought in scope by <a class="localLink" href="/openingHoursSpecification">openingHoursSpecification</a> or <a class="localLink" href="/openingHours">openingHours</a>. + + + + + + + + + + + + + + + + + + + + + specialty + One of the domain specialities to which this web page's content applies. + + + + + + + + + + + + + + + + + + + + + speechToTextMarkup + Form of markup used. eg. <a href="https://www.w3.org/TR/speech-synthesis11">SSML</a> or <a href="https://www.wikidata.org/wiki/Property:P898">IPA</a>. + + + + + + + + + + + + + + + + + + + + The speed range of the vehicle. If the vehicle is powered by an engine, the upper limit of the speed range (indicated by <a class="localLink" href="/maxValue">maxValue</a>) should be the maximum speed achievable under regular conditions.<br/><br/> + +Typical unit code(s): KMH for km/h, HM for mile per hour (0.447 04 m/s), KNT for knot<br/><br/> + +*Note 1: Use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate the range. Typically, the minimal value is zero. +* Note 2: There are many different ways of measuring the speed range. You can link to information about how the given value has been determined using the <a class="localLink" href="/valueReference">valueReference</a> property. + speed + + + + + + + + + + + + + + + + + + + + + spokenByCharacter + The (e.g. fictional) character, Person or Organization to whom the quotation is attributed within the containing CreativeWork. + + + + + + + + + + + + + + + + + + + + + + sponsor + A person or organization that supports a thing through a pledge, promise, or financial contribution. E.g. a sponsor of a Medical Study or a corporate sponsor of an event. + + + + + + + + + + + + + + + + + + + + + + + + + + + sport + A type of sport (e.g. Baseball). + + + + + + + + + + + + + + + + + + + + + sportsActivityLocation + A sub property of location. The sports activity location where this action occurred. + + + + + + + + + + + + + + + + + + + + + + sportsEvent + A sub property of location. The sports event where this action occurred. + + + + + + + + + + + + + + + + + + + + + + sportsTeam + A sub property of participant. The sports team that participated on this action. + + + + + + + + + + + + + + + + + + + + + + The person's spouse. + spouse + + + + + + + + + + + + + + + + + + + + + stage + The stage of the condition, if applicable. + + + + + + + + + + + + + + + + + + + + + The stage represented as a number, e.g. 3. + stageAsNumber + + + + + + + + + + + + + + + + + + starRating + An official rating for a lodging business or food establishment, e.g. from national associations or standards bodies. Use the author property to indicate the rating organization, e.g. as an Organization with name such as (e.g. HOTREC, DEHOGA, WHR, or Hotelstars). + + + + + + + + + + + + + + + + + + + + + + startDate + The start date and time of the item (in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 date format</a>). + + + + + + + + + + + + + + + + + + + + + + + + + + The start time of the clip expressed as the number of seconds from the beginning of the work. + startOffset + + + + + + + + + + + + + + + + + + + + + + + The startTime of something. For a reserved event or service (e.g. FoodEstablishmentReservation), the time that it is expected to start. For actions that span a period of time, when the action was performed. E.g. John wrote a book from <em>January</em> to December. For media, including audio and video, it's the time offset of the start of a clip within a larger file.<br/><br/> + +Note that Event uses startDate/endDate instead of startTime/endTime, even when describing dates with times. This situation may be clarified in future revisions. + startTime + + + + + + + + + + + + + + + + + + + + + + + statType + Indicates the kind of statistic represented by a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>, e.g. mean, count etc. The value of statType is a property, either from within Schema.org (e.g. <a class="localLink" href="/median">median</a>, <a class="localLink" href="/marginOfError">marginOfError</a>, <a class="localLink" href="/maxValue">maxValue</a>, <a class="localLink" href="/minValue">minValue</a>) or from other compatible (e.g. RDF) systems such as DataCommons.org or Wikidata.org. + + + + + + + + + + + + + + + + + + + + + The status of the study (enumerated). + status + + + + + + + + + + + + + + + + + + + + + + + + steeringPosition + The position of the steering wheel or similar device (mostly for cars). + + + + + + + + + + + + + + + + + + + + + step + A single step item (as HowToStep, text, document, video, etc.) or a HowToSection. + + + + + + + + + + + + + + + + + + + + + + + stepValue + The stepValue attribute indicates the granularity that is expected (and required) of the value in a PropertyValueSpecification. + + + + + + + + + + + + + + + + + + + A single step item (as HowToStep, text, document, video, etc.) or a HowToSection (originally misnamed 'steps'; 'step' is preferred). + steps + + + + + + + + + + + + + + + + + + + + + + + Storage requirements (free space required). + storageRequirements + + + + + + + + + + + + + + + + + + + + streetAddress + The street address. For example, 1600 Amphitheatre Pkwy. + + + + + + + + + + + + + + + + + + + + The units of an active ingredient's strength, e.g. mg. + strengthUnit + + + + + + + + + + + + + + + + + + + + strengthValue + The value of an active ingredient's strength, e.g. 325. + + + + + + + + + + + + + + + + + + The name given to how bone physically connects to each other. + structuralClass + + + + + + + + + + + + + + + + + + + + study + A medical study or trial related to this entity. + + + + + + + + + + + + + + + + + + + + + Specifics about the observational study design (enumerated). + studyDesign + + + + + + + + + + + + + + + + + + + + + The location in which the study is taking/took place. + studyLocation + + + + + + + + + + + + + + + + + + + + + studySubject + A subject of the study, i.e. one of the medical conditions, therapies, devices, drugs, etc. investigated by the study. + + + + + + + + + + + + + + + + + + + + + stupidProperty + This is a StupidProperty! - for testing only. + + + + + + + + + + + + + + + + + + + + + + + subEvent + An Event that is part of this event. For example, a conference event includes many presentations, each of which is a subEvent of the conference. + + + + + + + + + + + + + + + + + + + + + subEvents + + Events that are a part of this event. For example, a conference event includes many presentations, each subEvents of the conference. + + + + + + + + + + + + + + + + + + + + + subOrganization + + A relationship between two organizations where the first includes the second, e.g., as a subsidiary. See also: the more specific 'department' property. + + + + + + + + + + + + + + + + + + + + + The individual reservations included in the package. Typically a repeated property. + subReservation + + + + + + + + + + + + + + + + + + + + + The substage, e.g. 'a' for Stage IIIa. + subStageSuffix + + + + + + + + + + + + + + + + + + + + Component (sub-)structure(s) that comprise this anatomical structure. + subStructure + + + + + + + + + + + + + + + + + + + + + subTest + A component test of the panel. + + + + + + + + + + + + + + + + + + + + + Identifies a <a class="localLink" href="/Trip">Trip</a> that is a subTrip of this Trip. For example Day 1, Day 2, etc. of a multi-day trip. + + subTrip + + + + + + + + + + + + + + + + + + + + + A CreativeWork or Event about this Thing. + subjectOf + + + + + + + + + + + + + + + + + + + + + + + subtitleLanguage + Languages in which subtitles/captions are available, in <a href="http://tools.ietf.org/html/bcp47">IETF BCP 47 standard format</a>. + + + + + + + + + + + + + + + + + + + + + + + + successorOf + A pointer from a newer variant of a product to its previous, often discontinued predecessor. + + + + + + + + + + + + + + + + + + + + + The number of grams of sugar. + sugarContent + + + + + + + + + + + + + + + + + + + + + The age or age range for the intended audience or person, for example 3-12 months for infants, 1-5 years for toddlers. + suggestedAge + + + + + + + + + + + + + + + + + + + + + + suggestedAnswer + An answer (possibly one of several, possibly incorrect) to a Question, e.g. on a Question/Answer site. + + + + + + + + + + + + + + + + + + + + + + suggestedGender + The suggested gender of the intended person or audience, for example "male", "female", or "unisex". + + + + + + + + + + + + + + + + + + + + + + suggestedMaxAge + Maximum recommended age in years for the audience or user. + + + + + + + + + + + + + + + + + + A suggested range of body measurements for the intended audience or person, for example inseam between 32 and 34 inches or height between 170 and 190 cm. Typically found on a size chart for wearable products. + suggestedMeasurement + + + + + + + + + + + + + + + + + + + + + + suggestedMinAge + Minimum recommended age in years for the audience or user. + + + + + + + + + + + + + + + + + + suitableForDiet + Indicates a dietary restriction or guideline for which this recipe or menu item is suitable, e.g. diabetic, halal etc. + + + + + + + + + + + + + + + + + + + + + + + An event that this event is a part of. For example, a collection of individual music performances might each have a music festival as their superEvent. + superEvent + + + + + + + + + + + + + + + + + + + + + Relates a term (i.e. a property, class or enumeration) to one that supersedes it. + supersededBy + + + + + + + + + + + + + + + + + + + + + + + + + supply + A sub-property of instrument. A supply consumed when performing instructions or a direction. + + + + + + + + + + + + + + + + + + + + + + + supplyTo + The area to which the artery supplies blood. + + + + + + + + + + + + + + + + + + + + + supportingData + Supporting data for a SoftwareApplication. + + + + + + + + + + + + + + + + + + + + + + A material used as a surface in some artwork, e.g. Canvas, Paper, Wood, Board, etc. + + surface + + + + + + + + + + + + + + + + + + + + Indicates (typically several) Syllabus entities that lay out what each section of the overall course will cover. + syllabusSections + + + + + + + + + + + + + + + + + + + + + Indicates a target EntryPoint, or url, for an Action. + target + + + + + + + + + + + + + + + + + + + + + + targetCollection + A sub property of object. The collection target of the action. + + + + + + + + + + + + + + + + + + + + + The description of a node in an established educational framework. + targetDescription + + + + + + + + + + + + + + + + + + + + The name of a node in an established educational framework. + targetName + + + + + + + + + + + + + + + + + + + + Type of app development: phone, Metro style, desktop, XBox, etc. + targetPlatform + + + + + + + + + + + + + + + + + + + + targetPopulation + Characteristics of the population for which this is intended, or which typically uses it, e.g. 'adults'. + + + + + + + + + + + + + + + + + + + + + targetProduct + Target Operating System / Product to which the code applies. If applies to several versions, just the product name can be used. + + + + + + + + + + + + + + + + + + + + + targetUrl + The URL of a node in an established educational framework. + + + + + + + + + + + + + + + + + + + + The Tax / Fiscal ID of the organization or person, e.g. the TIN in the US or the CIF/NIF in Spain. + taxID + + + + + + + + + + + + + + + + + + + + + + The taxonomic rank of this taxon given preferably as a URI from a controlled vocabulary – typically the ranks from TDWG TaxonRank ontology or equivalent Wikidata URIs. + taxonRank + + + + + + + + + + + + + + + + + + + + + The taxonomic grouping of the organism that expresses, encodes, or in some way related to the BioChemEntity. + taxonomicRange + + + + + + + + + + + + + + + + + + + + + + teaches + The item being described is intended to help a person learn the competency or learning outcome defined by the referenced term. + + + + + + + + + + + + + + + + + + + + + + + telephone + The telephone number. + + + + + + + + + + + + + + + + + + + + + + + temporal + The "temporal" property can be used in cases where more specific properties +(e.g. <a class="localLink" href="/temporalCoverage">temporalCoverage</a>, <a class="localLink" href="/dateCreated">dateCreated</a>, <a class="localLink" href="/dateModified">dateModified</a>, <a class="localLink" href="/datePublished">datePublished</a>) are not known to be appropriate. + + + + + + + + + + + + + + + + + + + + + The temporalCoverage of a CreativeWork indicates the period that the content applies to, i.e. that it describes, either as a DateTime or as a textual string indicating a time period in <a href="https://en.wikipedia.org/wiki/ISO_8601#Time_intervals">ISO 8601 time interval format</a>. In + the case of a Dataset it will typically indicate the relevant time period in a precise notation (e.g. for a 2011 census dataset, the year 2011 would be written "2011/2012"). Other forms of content, e.g. ScholarlyArticle, Book, TVSeries or TVEpisode, may indicate their temporalCoverage in broader terms - textually or via well-known URL. + Written works such as books may sometimes have precise temporal coverage too, e.g. a work set in 1939 - 1945 can be indicated in ISO 8601 interval format format via "1939/1945".<br/><br/> + +Open-ended date ranges can be written with ".." in place of the end date. For example, "2015-11/.." indicates a range beginning in November 2015 and with no specified final date. This is tentative and might be updated in future when ISO 8601 is officially updated. + temporalCoverage + + + + + + + + + + + + + + + + + + + + + A code that identifies this <a class="localLink" href="/DefinedTerm">DefinedTerm</a> within a <a class="localLink" href="/DefinedTermSet">DefinedTermSet</a>. + termCode + + + + + + + + + + + + + + + + + + + + The amount of time in a term as defined by the institution. A term is a length of time where students take one or more classes. Semesters and quarters are common units for term. + termDuration + + + + + + + + + + + + + + + + + + + + + termsOfService + Human-readable terms of service documentation. + + + + + + + + + + + + + + + + + + + + The number of times terms of study are offered per year. Semesters and quarters are common units for term. For example, if the student can only take 2 semesters for the program in one year, then termsPerYear should be 2. + termsPerYear + + + + + + + + + + + + + + + + + + The textual content of this CreativeWork. + text + + + + + + + + + + + + + + + + + + + + Text value being annotated. + textValue + + + + + + + + + + + + + + + + + + + + Thumbnail image for an image or video. + thumbnail + + + + + + + + + + + + + + + + + + + + + thumbnailUrl + A thumbnail image relevant to the Thing. + + + + + + + + + + + + + + + + + + + + tickerSymbol + The exchange traded instrument associated with a Corporation object. The tickerSymbol is expressed as an exchange and an instrument name separated by a space character. For the exchange component of the tickerSymbol attribute, we recommend using the controlled vocabulary of Market Identifier Codes (MIC) specified in ISO 15022. + + + + + + + + + + + + + + + + + + + + ticketNumber + The unique identifier for the ticket. + + + + + + + + + + + + + + + + + + + + ticketToken + Reference to an asset (e.g., Barcode, QR code image or PDF) usable for entrance. + + + + + + + + + + + + + + + + + + + + The seat associated with the ticket. + ticketedSeat + + + + + + + + + + + + + + + + + + + + + The time of day the program normally runs. For example, "evenings". + timeOfDay + + + + + + + + + + + + + + + + + + + + timeRequired + Approximate or typical time it usually takes to work with or through the content of this work for the typical or target audience. + + + + + + + + + + + + + + + + + + + + + The expected length of time to complete the program if attending full-time. + timeToComplete + + + + + + + + + + + + + + + + + + + + + The type of tissue sample required for the test. + tissueSample + + + + + + + + + + + + + + + + + + + + The title of the job. + title + + + + + + + + + + + + + + + + + + + + titleEIDR + An <a href="https://eidr.org/">EIDR</a> (Entertainment Identifier Registry) <a class="localLink" href="/identifier">identifier</a> representing at the most general/abstract level, a work of film or television.<br/><br/> + +For example, the motion picture known as "Ghostbusters" has a titleEIDR of "10.5240/7EC7-228A-510A-053E-CBB8-J". This title (or work) may have several variants, which EIDR calls "edits". See <a class="localLink" href="/editEIDR">editEIDR</a>.<br/><br/> + +Since schema.org types like <a class="localLink" href="/Movie">Movie</a>, <a class="localLink" href="/TVEpisode">TVEpisode</a>, <a class="localLink" href="/TVSeason">TVSeason</a>, and <a class="localLink" href="/TVSeries">TVSeries</a> can be used for both works and their multiple expressions, it is possible to use <a class="localLink" href="/titleEIDR">titleEIDR</a> alone (for a general description), or alongside <a class="localLink" href="/editEIDR">editEIDR</a> for a more edit-specific description. + + + + + + + + + + + + + + + + + + + + + + + + toLocation + A sub property of location. The final location of the object or the agent after the action. + + + + + + + + + + + + + + + + + + + + + + + + + A sub property of recipient. The recipient who was directly sent the message. + toRecipient + + + + + + + + + + + + + + + + + + + + + + + + + A <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a> can have a <a class="localLink" href="/tocContinuation">tocContinuation</a> indicated, which is another <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a> that would be the default next item to play or render. + tocContinuation + + + + + + + + + + + + + + + + + + + + + + Indicates a <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a> in a <a class="localLink" href="/HyperToc">HyperToc</a>. + tocEntry + + + + + + + + + + + + + + + + + + + + + The permitted vertical load (TWR) of a trailer attached to the vehicle. Also referred to as Tongue Load Rating (TLR) or Vertical Load Rating (VLR).<br/><br/> + +Typical unit code(s): KGM for kilogram, LBR for pound<br/><br/> + +<ul> +<li>Note 1: You can indicate additional information in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> node.</li> +<li>Note 2: You may also link to a <a class="localLink" href="/QualitativeValue">QualitativeValue</a> node that provides additional information using <a class="localLink" href="/valueReference">valueReference</a>.</li> +<li>Note 3: Note that you can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + tongueWeight + + + + + + + + + + + + + + + + + + + + + tool + + A sub property of instrument. An object used (but not consumed) when performing instructions or a direction. + + + + + + + + + + + + + + + + + + + + + + The torque (turning force) of the vehicle's engine.<br/><br/> + +Typical unit code(s): NU for newton metre (N m), F17 for pound-force per foot, or F48 for pound-force per inch<br/><br/> + +<ul> +<li>Note 1: You can link to information about how the given value has been determined (e.g. reference RPM) using the <a class="localLink" href="/valueReference">valueReference</a> property.</li> +<li>Note 2: You can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + torque + + + + + + + + + + + + + + + + + + + + + totalHistoricalEnrollment + The total number of students that have enrolled in the history of the course. + + + + + + + + + + + + + + + + + + totalJobOpenings + The number of positions open for this job posting. Use a positive integer. Do not use if the number of positions is unclear or not known. + + + + + + + + + + + + + + + + + + totalPaymentDue + The total amount due. + + + + + + + + + + + + + + + + + + + + + + totalPrice + The total price for the reservation or ticket, including applicable taxes, shipping, etc.<br/><br/> + +Usage guidelines:<br/><br/> + +<ul> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + + + + + + + + + + + + + + + + + + + + + + + totalTime + The total time required to perform instructions or a direction (including time to prepare the supplies), in <a href="http://en.wikipedia.org/wiki/ISO_8601">ISO 8601 duration format</a>. + + + + + + + + + + + + + + + + + + + + + + tourBookingPage + A page providing information on how to book a tour of some <a class="localLink" href="/Place">Place</a>, such as an <a class="localLink" href="/Accommodation">Accommodation</a> or <a class="localLink" href="/ApartmentComplex">ApartmentComplex</a> in a real estate setting, as well as other kinds of tours as appropriate. + + + + + + + + + + + + + + + + + + + + + + touristType + Attraction suitable for type(s) of tourist. E.g. children, visitors from a particular country, etc. + + + + + + + + + + + + + + + + + + + + + + + A music recording (track)&#x2014;usually a single song. If an ItemList is given, the list should contain items of type MusicRecording. + track + + + + + + + + + + + + + + + + + + + + + + + trackingNumber + Shipper tracking number. + + + + + + + + + + + + + + + + + + + + trackingUrl + Tracking url for the parcel delivery. + + + + + + + + + + + + + + + + + + + + tracks + + A music recording (track)&#x2014;usually a single song. + + + + + + + + + + + + + + + + + + + + + + The trailer of a movie or TV/radio series, season, episode, etc. + trailer + + + + + + + + + + + + + + + + + + + + + + + + + + + + trailerWeight + The permitted weight of a trailer attached to the vehicle.<br/><br/> + +Typical unit code(s): KGM for kilogram, LBR for pound +* Note 1: You can indicate additional information in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> node. +* Note 2: You may also link to a <a class="localLink" href="/QualitativeValue">QualitativeValue</a> node that provides additional information using <a class="localLink" href="/valueReference">valueReference</a>. +* Note 3: Note that you can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges. + + + + + + + + + + + + + + + + + + + + + The name of the train (e.g. The Orient Express). + trainName + + + + + + + + + + + + + + + + + + + + trainNumber + The unique identifier for the train. + + + + + + + + + + + + + + + + + + + + The estimated salary earned while in the program. + trainingSalary + + + + + + + + + + + + + + + + + + + + + + transFatContent + The number of grams of trans fat. + + + + + + + + + + + + + + + + + + + + + If this MediaObject is an AudioObject or VideoObject, the transcript of that object. + transcript + + + + + + + + + + + + + + + + + + + + + transitTime + The typical delay the order has been sent for delivery and the goods reach the final customer.<br/><br/> + +In the context of <a class="localLink" href="/ShippingDeliveryTime">ShippingDeliveryTime</a>, use the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a>. Typical properties: minValue, maxValue, unitCode (d for DAY).<br/><br/> + +In the context of <a class="localLink" href="/ShippingConditions">ShippingConditions</a>, use the <a class="localLink" href="/ServicePeriod">ServicePeriod</a>. It has a duration (as a <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a>) and also business days and a cut-off time. + + + + + + + + + + + + + + + + + + + + + + + Label to match an <a class="localLink" href="/OfferShippingDetails">OfferShippingDetails</a> with a <a class="localLink" href="/DeliveryTimeSettings">DeliveryTimeSettings</a> (within the context of a <a class="localLink" href="/shippingSettingsLink">shippingSettingsLink</a> cross-reference). + transitTimeLabel + + + + + + + + + + + + + + + + + + + + + translationOfWork + The work that this work has been translated from. E.g. 物种起源 is a translationOf “On the Origin of Species”. + + + + + + + + + + + + + + + + + + + + + + Organization or person who adapts a creative work to different languages, regional differences and technical requirements of a target market, or that translates during some event. + translator + + + + + + + + + + + + + + + + + + + + + + + How the disease spreads, either as a route or vector, for example 'direct contact', 'Aedes aegypti', etc. + transmissionMethod + + + + + + + + + + + + + + + + + + + + travelBans + Information about travel bans, e.g. in the context of a pandemic. + + + + + + + + + + + + + + + + + + + + + trialDesign + Specifics about the trial design (enumerated). + + + + + + + + + + + + + + + + + + + + + tributary + The anatomical or organ system that the vein flows into; a larger structure that the vein connects to. + + + + + + + + + + + + + + + + + + + + + The location of origin of the trip, prior to any destination(s). + tripOrigin + + + + + + + + + + + + + + + + + + + + + The type of bed to which the BedDetail refers, i.e. the type of bed available in the quantity indicated by quantity. + typeOfBed + + + + + + + + + + + + + + + + + + + + + typeOfGood + The product that this structured value is referring to. + + + + + + + + + + + + + + + + + + + + + + + The typical expected age range, e.g. '7-9', '11-'. + typicalAgeRange + + + + + + + + + + + + + + + + + + + + + The number of credits or units a full-time student would be expected to take in 1 term however 'term' is defined by the institution. + typicalCreditsPerTerm + + + + + + + + + + + + + + + + + + + + + + typicalTest + A medical test typically performed given this condition. + + + + + + + + + + + + + + + + + + + + + underName + The person or organization the reservation or ticket is for. + + + + + + + + + + + + + + + + + + + + + + + The unit of measurement given using the UN/CEFACT Common Code (3 characters) or a URL. Other codes than the UN/CEFACT Common Code may be used with a prefix followed by a colon. + unitCode + + + + + + + + + + + + + + + + + + + + + + + A string or text indicating the unit of measurement. Useful if you cannot provide a standard unit code for +<a href='unitCode'>unitCode</a>. + unitText + + + + + + + + + + + + + + + + + + + + + + + unnamedSourcesPolicy + + For an <a class="localLink" href="/Organization">Organization</a> (typically a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a>), a statement about policy on use of unnamed sources and the decision process required. + + + + + + + + + + + + + + + + + + + + + + The number of grams of unsaturated fat. + unsaturatedFatContent + + + + + + + + + + + + + + + + + + + + + Date (including time if available) when this media object was uploaded to this site. + uploadDate + + + + + + + + + + + + + + + + + + + The number of upvotes this question, answer or comment has received from the community. + upvoteCount + + + + + + + + + + + + + + + + + + url + URL of the item. + + + + + + + + + + + + + + + + + + + + urlTemplate + An url template (RFC6570) that will be used to construct the target of the execution of the action. + + + + + + + + + + + + + + + + + + + + A <a href="https://en.wikipedia.org/wiki/National_Provider_Identifier">National Provider Identifier</a> (NPI) + is a unique 10-digit identification number issued to health care providers in the United States by the Centers for Medicare and Medicaid Services. + + usNPI + + + + + + + + + + + + + + + + + + + + usageInfo + The schema.org <a class="localLink" href="/usageInfo">usageInfo</a> property indicates further information about a <a class="localLink" href="/CreativeWork">CreativeWork</a>. This property is applicable both to works that are freely available and to those that require payment or other transactions. It can reference additional information, e.g. community expectations on preferred linking and citation conventions, as well as purchasing details. For something that can be commercially licensed, usageInfo can provide detailed, resource-specific information about licensing options.<br/><br/> + +This property can be used alongside the license property which indicates license(s) applicable to some piece of content. The usageInfo property can provide information about other licensing options, e.g. acquiring commercial usage rights for an image that is also available under non-commercial creative commons licenses. + + + + + + + + + + + + + + + + + + + + + A condition the test is used to diagnose. + usedToDiagnose + + + + + + + + + + + + + + + + + + + + + The number of interactions for the CreativeWork using the WebSite or SoftwareApplication. + userInteractionCount + + + + + + + + + + + + + + + + + + usesDevice + Device used to perform the test. + + + + + + + + + + + + + + + + + + + + + The standard for interpreting the Plan ID. The preferred is "HIOS". See the Centers for Medicare &amp; Medicaid Services for more details. + usesHealthPlanIdStandard + + + + + + + + + + + + + + + + + + + + utterances + Text of an utterances (spoken words, lyrics etc.) that occurs at a certain section of a media object, represented as a <a class="localLink" href="/HyperTocEntry">HyperTocEntry</a>. + + + + + + + + + + + + + + + + + + + + validFor + The duration of validity of a permit or similar thing. + + + + + + + + + + + + + + + + + + + + + + validForMemberTier + The membership program tier an Offer (or a PriceSpecification, OfferShippingDetails, or MerchantReturnPolicy under an Offer) is valid for. + + + + + + + + + + + + + + + + + + + + + + + + + validFrom + The date when the item becomes valid. + + + + + + + + + + + + + + + + + + + + + + + + + + + validIn + The geographic area where the item is valid. Applies for example to a <a class="localLink" href="/Permit">Permit</a>, a <a class="localLink" href="/Certification">Certification</a>, or an <a class="localLink" href="/EducationalOccupationalCredential">EducationalOccupationalCredential</a>. + + + + + + + + + + + + + + + + + + + + + + + validThrough + The date after when the item is not valid. For example the end of an offer, salary period, or a period of opening hours. + + + + + + + + + + + + + + + + + + + + + + + + + + The date when the item is no longer valid. + validUntil + + + + + + + + + + + + + + + + + + The value of a <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> (including <a class="localLink" href="/Observation">Observation</a>) or property value node.<br/><br/> + +<ul> +<li>For <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> and <a class="localLink" href="/MonetaryAmount">MonetaryAmount</a>, the recommended type for values is 'Number'.</li> +<li>For <a class="localLink" href="/PropertyValue">PropertyValue</a>, it can be 'Text', 'Number', 'Boolean', or 'StructuredValue'.</li> +<li>Use values from 0123456789 (Unicode 'DIGIT ZERO' (U+0030) to 'DIGIT NINE' (U+0039)) rather than superficially similar Unicode symbols.</li> +<li>Use '.' (Unicode 'FULL STOP' (U+002E)) rather than ',' to indicate a decimal point. Avoid using these symbols as a readability separator.</li> +</ul> + + value + + + + + + + + + + + + + + + + + + + + + + + + + Specifies whether the applicable value-added tax (VAT) is included in the price specification or not. + valueAddedTaxIncluded + + + + + + + + + + + + + + + + + + Specifies the allowed range for number of characters in a literal value. + valueMaxLength + + + + + + + + + + + + + + + + + + valueMinLength + Specifies the minimum allowed range for number of characters in a literal value. + + + + + + + + + + + + + + + + + + valueName + Indicates the name of the PropertyValueSpecification to be used in URL templates and form encoding in a manner analogous to HTML's input@name. + + + + + + + + + + + + + + + + + + + + valuePattern + Specifies a regular expression for testing literal values according to the HTML spec. + + + + + + + + + + + + + + + + + + + + valueReference + A secondary value that provides additional information on the original value, e.g. a reference temperature or a type of measurement. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + valueRequired + Whether the property must be filled in to complete the action. Default is false. + + + + + + + + + + + + + + + + + + The variableMeasured property can indicate (repeated as necessary) the variables that are measured in some dataset, either described as text or as pairs of identifier and description using PropertyValue, or more explicitly as a <a class="localLink" href="/StatisticalVariable">StatisticalVariable</a>. + variableMeasured + + + + + + + + + + + + + + + + + + + + + + + + Originally named <a class="localLink" href="/variablesMeasured">variablesMeasured</a>, the <a class="localLink" href="/variableMeasured">variableMeasured</a> property can indicate (repeated as necessary) the variables that are measured in some dataset, either described as text or as pairs of identifier and description using PropertyValue. + variablesMeasured + + + + + + + + + + + + + + + + + + + + + variantCover + A description of the variant cover + for the issue, if the issue is a variant printing. For example, "Bryan Hitch + Variant Cover" or "2nd Printing Variant". + + + + + + + + + + + + + + + + + + + + Indicates the property or properties by which the variants in a <a class="localLink" href="/ProductGroup">ProductGroup</a> vary, e.g. their size, color etc. Schema.org properties can be referenced by their short name e.g. "color"; terms defined elsewhere can be referenced with their URIs. + variesBy + + + + + + + + + + + + + + + + + + + + + vatID + The Value-added Tax ID of the organization or person. + + + + + + + + + + + + + + + + + + + + + A short text indicating the configuration of the vehicle, e.g. '5dr hatchback ST 2.5 MT 225 hp' or 'limited edition'. + vehicleConfiguration + + + + + + + + + + + + + + + + + + + + vehicleEngine + Information about the engine or engines of the vehicle. + + + + + + + + + + + + + + + + + + + + + + The Vehicle Identification Number (VIN) is a unique serial number used by the automotive industry to identify individual motor vehicles. + vehicleIdentificationNumber + + + + + + + + + + + + + + + + + + + + vehicleInteriorColor + The color or color combination of the interior of the vehicle. + + + + + + + + + + + + + + + + + + + + vehicleInteriorType + The type or material of the interior of the vehicle (e.g. synthetic fabric, leather, wood, etc.). While most interior types are characterized by the material used, an interior type can also be based on vehicle usage or target audience. + + + + + + + + + + + + + + + + + + + + vehicleModelDate + The release date of a vehicle model (often used to differentiate versions of the same make and model). + + + + + + + + + + + + + + + + + + The number of passengers that can be seated in the vehicle, both in terms of the physical space available, and in terms of limitations set by law.<br/><br/> + +Typical unit code(s): C62 for persons. + vehicleSeatingCapacity + + + + + + + + + + + + + + + + + + + + + + vehicleSpecialUsage + Indicates whether the vehicle has been used for special purposes, like commercial rental, driving school, or as a taxi. The legislation in many countries requires this information to be revealed when offering a car for sale. + + + + + + + + + + + + + + + + + + + + + The type of component used for transmitting the power from a rotating power source to the wheels or other relevant component(s) ("gearbox" for cars). + vehicleTransmission + + + + + + + + + + + + + + + + + + + + + + 'vendor' is an earlier term for 'seller'. + + vendor + + + + + + + + + + + + + + + + + + + + + + verificationFactCheckingPolicy + Disclosure about verification and fact-checking processes for a <a class="localLink" href="/NewsMediaOrganization">NewsMediaOrganization</a> or other fact-checking <a class="localLink" href="/Organization">Organization</a>. + + + + + + + + + + + + + + + + + + + + + + The version of the CreativeWork embodied by a specified resource. + version + + + + + + + + + + + + + + + + + + + + + video + An embedded video object. + + + + + + + + + + + + + + + + + + + + + + videoFormat + The type of screening or video broadcast used (e.g. IMAX, 3D, SD, HD, etc.). + + + + + + + + + + + + + + + + + + + + + + videoFrameSize + The frame size of the video. + + + + + + + + + + + + + + + + + + + + videoQuality + The quality of the video. + + + + + + + + + + + + + + + + + + + + volumeNumber + Identifies the volume of publication or multi-part work; for example, "iii" or "2". + + + + + + + + + + + + + + + + + + + + + + Any FDA or other warnings about the drug (text or URL). + warning + + + + + + + + + + + + + + + + + + + + The warranty promise(s) included in the offer. + warranty + + + + + + + + + + + + + + + + + + + + + + The warranty promise(s) included in the offer. + warrantyPromise + + + + + + + + + + + + + + + + + + + + + + + warrantyScope + The scope of the warranty promise. + + + + + + + + + + + + + + + + + + + + + The time when a passenger can check into the flight online. + webCheckinTime + + + + + + + + + + + + + + + + + + webFeed + The URL for a feed, e.g. associated with a podcast series, blog, or series of date-stamped updates. This is usually RSS or Atom. + + + + + + + + + + + + + + + + + + + + + + The weight of the product or person. + weight + + + + + + + + + + + + + + + + + + + + + + + + + + weightPercentage + Fraction of the weight that is used to compute the shipping price. + + + + + + + + + + + + + + + + + + The permitted total weight of the loaded vehicle, including passengers and cargo and the weight of the empty vehicle.<br/><br/> + +Typical unit code(s): KGM for kilogram, LBR for pound<br/><br/> + +<ul> +<li>Note 1: You can indicate additional information in the <a class="localLink" href="/name">name</a> of the <a class="localLink" href="/QuantitativeValue">QuantitativeValue</a> node.</li> +<li>Note 2: You may also link to a <a class="localLink" href="/QualitativeValue">QualitativeValue</a> node that provides additional information using <a class="localLink" href="/valueReference">valueReference</a>.</li> +<li>Note 3: Note that you can use <a class="localLink" href="/minValue">minValue</a> and <a class="localLink" href="/maxValue">maxValue</a> to indicate ranges.</li> +</ul> + + weightTotal + + + + + + + + + + + + + + + + + + + + + The distance between the centers of the front and rear wheels.<br/><br/> + +Typical unit code(s): CMT for centimeters, MTR for meters, INH for inches, FOT for foot/feet. + wheelbase + + + + + + + + + + + + + + + + + + + + + The width of the item. + width + + + + + + + + + + + + + + + + + + + + + + + + + + winner + A sub property of participant. The winner of the action. + + + + + + + + + + + + + + + + + + + + + + wordCount + The number of words in the text of the CreativeWork such as an Article, Book, etc. + + + + + + + + + + + + + + + + + + + Example/instance/realization/derivation of the concept of this creative work. E.g. the paperback edition, first edition, or e-book. + workExample + + + + + + + + + + + + + + + + + + + + + + workFeatured + A work featured in some event, e.g. exhibited in an ExhibitionEvent. + Specific subproperties are available for workPerformed (e.g. a play), or a workPresented (a Movie at a ScreeningEvent). + + + + + + + + + + + + + + + + + + + + + workHours + The typical working hours for this job (e.g. 1st shift, night shift, 8am-5pm). + + + + + + + + + + + + + + + + + + + + workLocation + + A contact location for a person's place of work. + + + + + + + + + + + + + + + + + + + + + + A work performed in some event, for example a play performed in a TheaterEvent. + workPerformed + + + + + + + + + + + + + + + + + + + + + + The movie presented during this event. + + workPresented + + + + + + + + + + + + + + + + + + + + + workTranslation + A work that is a translation of the content of this work. E.g. 西遊記 has an English workTranslation “Journey to the West”, a German workTranslation “Monkeys Pilgerfahrt” and a Vietnamese translation Tây du ký bình khảo. + + + + + + + + + + + + + + + + + + + + + + Quantitative measure of the physiologic output of the exercise; also referred to as energy expenditure. + workload + + + + + + + + + + + + + + + + + + + + + + worksFor + Organizations that the person works for. + + + + + + + + + + + + + + + + + + + + + worstRating + The lowest value allowed in this rating system. + + + + + + + + + + + + + + + + + + + + + An XPath, e.g. of a <a class="localLink" href="/SpeakableSpecification">SpeakableSpecification</a> or <a class="localLink" href="/WebPageElement">WebPageElement</a>. In the latter case, multiple matches within a page can constitute a single conceptual "Web page element". + xpath + + + + + + + + + + + + + + + + + + + + + + The year an <a class="localLink" href="/Accommodation">Accommodation</a> was constructed. This corresponds to the <a href="https://ddwiki.reso.org/display/DDW17/YearBuilt+Field">YearBuilt field in RESO</a>. + yearBuilt + + + + + + + + + + + + + + + + + + yearlyRevenue + The size of the business in annual revenue. + + + + + + + + + + + + + + + + + + + + + yearsInOperation + The age of the business. + + + + + + + + + + + + + + + + + + + + + yield + The quantity that results by performing instructions. For example, a paper airplane, 10 personalized candles. + + + + + + + + + + + + + + + + + + + + + + A value indicating a steering position. + SteeringPositionValue + + + + + DriveWheelConfigurationValue + A value indicating which roadwheels will receive torque. + + + + + A type of bed. This is used for indicating the bed or beds available in an accommodation. + BedType + + + + + SizeSpecification + Size related properties of a product, typically a size code (<a class="localLink" href="/name">name</a>) and optionally a <a class="localLink" href="/sizeSystem">sizeSystem</a>, <a class="localLink" href="/sizeGroup">sizeGroup</a>, and product measurements (<a class="localLink" href="/hasMeasurement">hasMeasurement</a>). In addition, the intended audience can be defined through <a class="localLink" href="/suggestedAge">suggestedAge</a>, <a class="localLink" href="/suggestedGender">suggestedGender</a>, and suggested body measurements (<a class="localLink" href="/suggestedMeasurement">suggestedMeasurement</a>). + + + + + Any specific branch of medical science or practice. Medical specialities include clinical specialties that pertain to particular organ systems and their respective disease states, as well as allied health specialties. Enumerated type. + MedicalSpecialty + + + + + ReservationStatusType + Enumerated status values for Reservation. + + + + + A specific payment status. For example, PaymentDue, PaymentComplete, etc. + PaymentStatusType + + + + + ActionStatusType + The status of an Action. + + + + + Status of a game server. + GameServerStatus + + + + + Enumerated status values for Order. + OrderStatus + + + + + EventStatusType + EventStatusType is an enumeration type whose instances represent several states that an Event may be in. + + + + + LegalForceStatus + A list of possible statuses for the legal force of a legislation. + + + + + WearableSizeGroupEnumeration + Enumerates common size groups (also known as "size types") for wearable products. + + + + + Enumerates common size systems specific for wearable products. + WearableSizeSystemEnumeration + + + + + BodyMeasurementTypeEnumeration + Enumerates types (or dimensions) of a person's body measurements, for example for fitting of clothes. + + + + + Enumerates common types of measurement for wearables products. + WearableMeasurementTypeEnumeration + + + + + EUEnergyEfficiencyEnumeration + Enumerates the EU energy efficiency classes A-G as well as A+, A++, and A+++ as defined in EU directive 2017/1369. + + + + + EnergyStarEnergyEfficiencyEnumeration + Used to indicate whether a product is EnergyStar certified. + + + + + <a href="https://www.iptc.org/">IPTC</a> "Digital Source" codes for use with the <a class="localLink" href="/digitalSourceType">digitalSourceType</a> property, providing information about the source for a digital media object. +In general these codes are not declared here to be mutually exclusive, although some combinations would be contradictory if applied simultaneously, or might be considered mutually incompatible by upstream maintainers of the definitions. See the IPTC <a href="https://www.iptc.org/std/photometadata/documentation/userguide/">documentation</a> + for <a href="https://cv.iptc.org/newscodes/digitalsourcetype/">detailed definitions</a> of all terms. + IPTCDigitalSourceEnumeration + + + + + USNonprofitType + USNonprofitType: Non-profit organization type originating from the United States. + + + + + UKNonprofitType + UKNonprofitType: Non-profit organization type originating from the United Kingdom. + + + + + NLNonprofitType: Non-profit organization type originating from the Netherlands. + NLNonprofitType + + + + + A type of physical examination of a patient performed by a physician. + PhysicalExam + + + + + MedicalStudyStatus + The status of a medical study. Enumerated type. + + + + + MedicalDevicePurpose + Categories of medical devices, organized by the purpose or intended use of the device. + + + + + DrugPregnancyCategory + Categories that represent an assessment of the risk of fetal injury due to a drug or pharmaceutical used as directed by the mother during pregnancy. + + + + + MedicalImagingTechnique + Any medical imaging modality typically used for diagnostic purposes. Enumerated type. + + + + + MedicalAudienceType + Target audiences types for medical web pages. Enumerated type. + + + + + MedicalTrialDesign + Design models for medical trials. Enumerated type. + + + + + Enumerated categories of medical drug costs. + DrugCostCategory + + + + + An enumeration that describes different types of medical procedures. + MedicalProcedureType + + + + + Any specific branch of medical science or practice. Medical specialities include clinical specialties that pertain to particular organ systems and their respective disease states, as well as allied health specialties. Enumerated type. + MedicalSpecialty + + + + + MedicalEvidenceLevel + Level of evidence for a medical guideline. Enumerated type. + + + + + Systems of medical practice. + MedicineSystem + + + + + InfectiousAgentClass + Classes of agents or pathogens that transmit infectious diseases. Enumerated type. + + + + + Design models for observational medical studies. Enumerated type. + MedicalObservationalStudyDesign + + + + + Indicates whether this drug is available by prescription or over-the-counter. + DrugPrescriptionStatus + + + + + True + The boolean value true. + + + + False + The boolean value false. + + + diff --git a/frontend/public/schemas/20251121/linkml/manifest.json b/frontend/public/schemas/20251121/linkml/manifest.json index 4f92efa87a..ed2cedcc61 100644 --- a/frontend/public/schemas/20251121/linkml/manifest.json +++ b/frontend/public/schemas/20251121/linkml/manifest.json @@ -1,5 +1,5 @@ { - "generated": "2026-01-13T00:48:37.685Z", + "generated": "2026-01-13T12:50:30.701Z", "schemaRoot": "/schemas/20251121/linkml", "totalFiles": 2886, "categoryCounts": { diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/CertificationEntry.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/CertificationEntry.yaml index b51974d13b..65fc7b21a3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/CertificationEntry.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/CertificationEntry.yaml @@ -21,7 +21,23 @@ default_range: string classes: CertificationEntry: - description: Professional certification + description: >- + A professional certification record documenting credentials held by + heritage professionals, including certification name, issuing + organization, and date obtained. + + Ontology mapping rationale: + - class_uri is schema:EducationalOccupationalCredential because this + represents a professional certification/credential with issuer and date + - close_mappings includes schema:Certification (schema.org pending) + - related_mappings includes prov:Entity for provenance and + schema:Organization for the issuing body + class_uri: schema:EducationalOccupationalCredential + close_mappings: + - schema:Certification + related_mappings: + - prov:Entity + - schema:Organization attributes: name: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/Container.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/Container.yaml index 99546445af..4c16b05893 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/Container.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/Container.yaml @@ -1,6 +1,13 @@ id: https://nde.nl/ontology/hc/class/Container name: Container title: Heritage Custodian Data Container + +prefixes: + linkml: https://w3id.org/linkml/ + hc: https://nde.nl/ontology/hc/ + prov: http://www.w3.org/ns/prov# + schema: http://schema.org/ + imports: - linkml:types - ./Jurisdiction @@ -32,26 +39,27 @@ imports: classes: Container: tree_root: true - description: 'Root container class for Heritage Custodian data instances. - + description: >- + Root container class for Heritage Custodian data instances. Provides tree_root for LinkML instance validation. - - + This container supports all primary entity types for batch validation: - - Core custodian entities (Custodian, observations, names, legal statuses) - - Place and collection aspects (CustodianPlace, CustodianCollection) - - Organizational structures (OrganizationalStructure) - - Reconstruction activities (ReconstructionActivity) - - Registration entities (Jurisdiction, TradeRegister, RegistrationAuthority, RegistrationNumber) - - Standards ecosystem (StandardsOrganization, Standard, AllocationAgency, IdentifierFormat) - - ' + + Ontology mapping rationale: + - class_uri is prov:Collection because this is a container aggregating + multiple heritage custodian entities for validation purposes + - This is a TECHNICAL class for LinkML validation (tree_root: true) + and should be EXCLUDED from UML visualizations per Rule 4 + - related_mappings includes schema:Dataset as this aggregates data records + class_uri: prov:Collection + related_mappings: + - schema:Dataset attributes: has_or_had_custodian: range: Custodian diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/CurrentPosition.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/CurrentPosition.yaml index 7c8e49aa67..08519ce366 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/CurrentPosition.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/CurrentPosition.yaml @@ -12,6 +12,7 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + org: http://www.w3.org/ns/org# imports: - linkml:types @@ -21,7 +22,25 @@ default_range: string classes: CurrentPosition: - description: Current job position + description: >- + Current job position held by a heritage professional, capturing + job title, company/organization name, duration in role, and start + date. Used to track professional affiliations with heritage + institutions. + + Ontology mapping rationale: + - class_uri is schema:Role because this represents a role/position + held by a person at an organization with temporal properties + - close_mappings includes org:Membership from W3C Organization + ontology for organizational membership relationships + - related_mappings includes schema:Organization for the employer + and prov:Entity for provenance + class_uri: schema:Role + close_mappings: + - org:Membership + related_mappings: + - schema:Organization + - prov:Entity attributes: title: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/CustodianSourceFile.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/CustodianSourceFile.yaml index dabd06239b..5204e363a2 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/CustodianSourceFile.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/CustodianSourceFile.yaml @@ -43,12 +43,25 @@ default_range: string classes: CustodianSourceFile: - description: 'Root class representing the complete structure of a custodian YAML - file. - - This is the tree_root for validation. - - ' + description: >- + Root class representing the complete structure of a custodian YAML + file, serving as the tree_root for LinkML validation. Aggregates + all enrichment data including original entry, Google Maps, Wikidata, + web claims, museum register, and other source data with full + provenance tracking. + + Ontology mapping rationale: + - class_uri is prov:Entity because this represents a complete data + record/file that aggregates multiple enrichment sources + - close_mappings includes prov:Bundle as this bundles multiple + provenance-tracked data elements + - related_mappings includes schema:Dataset as this is essentially + a structured dataset file + class_uri: prov:Entity + close_mappings: + - prov:Bundle + related_mappings: + - schema:Dataset tree_root: true attributes: original_entry: diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/DuplicateEntry.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/DuplicateEntry.yaml index ce2ad0a4a4..3e4ea5d249 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/DuplicateEntry.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/DuplicateEntry.yaml @@ -12,6 +12,7 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + owl: http://www.w3.org/2002/07/owl# imports: - linkml:types @@ -21,7 +22,23 @@ default_range: string classes: DuplicateEntry: - description: Reference to a duplicate institution entry + description: >- + Reference to a duplicate institution entry, documenting the label, + source index, filename, and reason for duplicate identification. + Used for deduplication tracking and entity resolution audit trails. + + Ontology mapping rationale: + - class_uri is prov:Entity because this documents an identified + duplicate entity with metadata about the duplication + - close_mappings includes owl:sameAs conceptually as this identifies + equivalent entities + - related_mappings includes prov:Derivation as duplicate detection + derives from source data comparison + class_uri: prov:Entity + close_mappings: + - owl:sameAs + related_mappings: + - prov:Derivation attributes: label: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/ExaSearchMetadata.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/ExaSearchMetadata.yaml index 0949a3daa5..c7cd5f267a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/ExaSearchMetadata.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/ExaSearchMetadata.yaml @@ -21,7 +21,23 @@ default_range: string classes: ExaSearchMetadata: - description: Metadata from EXA search operations + description: >- + Metadata from EXA search operations, capturing tool used, timestamp, + source URL, extraction agent, method, and notes. Documents the + provenance of data retrieved through EXA web search API. + + Ontology mapping rationale: + - class_uri is prov:Activity because this documents a search/extraction + activity performed at a specific time by a specific agent + - close_mappings includes schema:SearchAction as this represents a + search operation + - related_mappings includes prov:Entity as the activity produces + entity outputs + class_uri: prov:Activity + close_mappings: + - schema:SearchAction + related_mappings: + - prov:Entity attributes: tool: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/GooglePhoto.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/GooglePhoto.yaml index 44d0186014..367d452d6b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/GooglePhoto.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/GooglePhoto.yaml @@ -21,7 +21,22 @@ default_range: string classes: GooglePhoto: - description: Google Places API photo data + description: >- + Photo metadata from Google Places API including reference string, dimensions, + and URL. Represents image resources associated with heritage institution + place listings. + + Ontology mapping rationale: + - class_uri is schema:ImageObject because this represents image content with + dimensions (height, width) and URL - the core properties of ImageObject + - close_mappings includes schema:Photograph as a more specific image type + - related_mappings includes prov:Entity as this is data retrieved from an + external API with provenance implications + class_uri: schema:ImageObject + close_mappings: + - schema:Photograph + related_mappings: + - prov:Entity attributes: photo_reference: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/InvalidWebClaim.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/InvalidWebClaim.yaml index b969f062a2..41c0c5114c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/InvalidWebClaim.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/InvalidWebClaim.yaml @@ -12,6 +12,8 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + rdf: http://www.w3.org/1999/02/22-rdf-syntax-ns# + dqv: http://www.w3.org/ns/dqv# imports: - linkml:types @@ -21,7 +23,23 @@ default_range: string classes: InvalidWebClaim: - description: Invalid claim with validation reason + description: >- + A web claim that failed validation, preserving the original extracted + data along with the validation failure reason and rule violated. + Used for audit trails and quality assessment of extraction processes. + + Ontology mapping rationale: + - class_uri is rdf:Statement because this represents a claim/assertion + that was made but found to be invalid - the statement structure is + preserved even though the content failed validation + - close_mappings includes dqv:QualityAnnotation as this documents a + quality issue with extracted data + - related_mappings includes prov:Entity for provenance tracking + class_uri: rdf:Statement + close_mappings: + - dqv:QualityAnnotation + related_mappings: + - prov:Entity attributes: claim_type: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/LayoutMetadata.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/LayoutMetadata.yaml index f09babd0ba..2d23e3c5e3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/LayoutMetadata.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/LayoutMetadata.yaml @@ -21,7 +21,23 @@ default_range: string classes: LayoutMetadata: - description: Metadata about page layout extraction + description: >- + Metadata about page layout extraction from archived web pages, + including page count, archive path, and extraction timestamp. + Documents the structural analysis of archived website content. + + Ontology mapping rationale: + - class_uri is prov:Entity because this is metadata generated from + a layout extraction activity with provenance properties + - close_mappings includes schema:DataCatalog as this documents + structural data about pages + - related_mappings includes prov:Activity as this metadata results + from an extraction activity + class_uri: prov:Entity + close_mappings: + - schema:DataCatalog + related_mappings: + - prov:Activity attributes: page_count: range: integer diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/MediaAppearanceEntry.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/MediaAppearanceEntry.yaml index d67548618f..78da9ead81 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/MediaAppearanceEntry.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/MediaAppearanceEntry.yaml @@ -21,7 +21,23 @@ default_range: string classes: MediaAppearanceEntry: - description: Media appearance (TV, radio, documentary, etc.) + description: >- + Record of a media appearance such as TV broadcast, radio interview, + documentary feature, or podcast episode. Tracks broadcast details + including network, air date, and description of the appearance. + + Ontology mapping rationale: + - class_uri is schema:BroadcastEvent because this represents a broadcast + occurrence with temporal properties (air_date) and publisher (network) + - close_mappings includes schema:Event as a general event type + - related_mappings includes schema:MediaObject for the underlying content + and prov:Entity for provenance tracking + class_uri: schema:BroadcastEvent + close_mappings: + - schema:Event + related_mappings: + - schema:MediaObject + - prov:Entity attributes: title: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/MergeNote.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/MergeNote.yaml index 4df564fdcb..127c25adf9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/MergeNote.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/MergeNote.yaml @@ -12,6 +12,7 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types @@ -21,7 +22,25 @@ default_range: string classes: MergeNote: - description: Note about a merge operation between duplicate entries + description: >- + Documentation of a merge operation between duplicate entries, recording + the source entry identifier, merge date, and reason (e.g., duplicate + Wikidata ID, same place ID). Essential for entity resolution audit + trails. + + Ontology mapping rationale: + - class_uri is prov:Entity because this documents a merge operation + result with full provenance (source, date, reason) + - close_mappings includes skos:note as this is essentially a note + documenting a change + - related_mappings includes prov:Activity as merging is an activity + and prov:Derivation for the derivation relationship + class_uri: prov:Entity + close_mappings: + - skos:note + related_mappings: + - prov:Activity + - prov:Derivation attributes: source: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/PatternClassification.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/PatternClassification.yaml index 918b6a3bce..f974d7c389 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/PatternClassification.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/PatternClassification.yaml @@ -12,6 +12,8 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + skos: http://www.w3.org/2004/02/skos/core# + dqv: http://www.w3.org/ns/dqv# imports: - linkml:types @@ -21,7 +23,24 @@ default_range: string classes: PatternClassification: - description: Classification pattern details + description: >- + Classification pattern details documenting the method (e.g., regex + pattern matching), confidence score, and timestamp of a classification + operation. Used to track how entities were automatically categorized. + + Ontology mapping rationale: + - class_uri is skos:Concept because classification assigns conceptual + categories to entities based on pattern matching + - close_mappings includes dqv:QualityMeasurement as the confidence score + represents a quality assessment + - related_mappings includes prov:Activity as classification is an + algorithmic activity and prov:Entity for the result + class_uri: skos:Concept + close_mappings: + - dqv:QualityMeasurement + related_mappings: + - prov:Activity + - prov:Entity attributes: method: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/PhotoMetadata.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/PhotoMetadata.yaml index 406db8a8e1..6180ddf8e3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/PhotoMetadata.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/PhotoMetadata.yaml @@ -22,7 +22,23 @@ default_range: string classes: PhotoMetadata: - description: Google Maps photo metadata + description: >- + Metadata about photos from Google Maps including dimensions and author + attributions. Extends basic photo information with creator/contributor + tracking. + + Ontology mapping rationale: + - class_uri is schema:ImageObject because this represents image metadata + with standard properties (name, height, width) + - close_mappings includes schema:Photograph for photographic content + - related_mappings includes prov:Entity for provenance tracking and + schema:MediaObject as a broader media type + class_uri: schema:ImageObject + close_mappings: + - schema:Photograph + related_mappings: + - prov:Entity + - schema:MediaObject attributes: name: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/PublicationEntry.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/PublicationEntry.yaml index 425f9cd4d2..390f14fd05 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/PublicationEntry.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/PublicationEntry.yaml @@ -12,6 +12,8 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + bf: http://id.loc.gov/ontologies/bibframe/ + dcterms: http://purl.org/dc/terms/ imports: - linkml:types @@ -21,7 +23,26 @@ default_range: string classes: PublicationEntry: - description: Academic or professional publication + description: >- + An academic or professional publication record, capturing bibliographic + metadata including title, publisher, year, and description. Used to + document scholarly works associated with heritage professionals or + institutions. + + Ontology mapping rationale: + - class_uri is schema:ScholarlyArticle because this represents academic + publications with standard bibliographic properties + - close_mappings includes bf:Work (BIBFRAME work entity) and + dcterms:BibliographicResource for library/bibliographic contexts + - related_mappings includes schema:CreativeWork as a broader creative + work type and prov:Entity for provenance + class_uri: schema:ScholarlyArticle + close_mappings: + - bf:Work + - dcterms:BibliographicResource + related_mappings: + - schema:CreativeWork + - prov:Entity attributes: title: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/ReferenceLink.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/ReferenceLink.yaml index 4061f8289a..27187c0b04 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/ReferenceLink.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/ReferenceLink.yaml @@ -21,7 +21,21 @@ default_range: string classes: ReferenceLink: - description: URL reference from source + description: >- + A URL reference from a source document, representing a hyperlink to + related or supporting information. Simple link structure with label + containing the URL. + + Ontology mapping rationale: + - class_uri is schema:WebPage because this represents a reference to + a web resource via URL + - close_mappings includes schema:URL as this is essentially a URL reference + - related_mappings includes prov:Entity for provenance tracking + class_uri: schema:WebPage + close_mappings: + - schema:URL + related_mappings: + - prov:Entity attributes: label: range: uri diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/RejectedGoogleMapsData.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/RejectedGoogleMapsData.yaml index 8696f97fea..ae59f1048b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/RejectedGoogleMapsData.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/RejectedGoogleMapsData.yaml @@ -21,7 +21,24 @@ default_range: string classes: RejectedGoogleMapsData: - description: Rejected Google Maps data preserved for audit trail + description: >- + Rejected Google Maps data preserved for audit trail, documenting + place data that was fetched but rejected due to validation failures + (e.g., country mismatch). Includes place ID, name, address, coordinates, + expected vs returned country, and timestamps. + + Ontology mapping rationale: + - class_uri is prov:Entity because this is data preserved for + audit purposes with full provenance + - close_mappings includes prov:InvalidatedEntity as this data was + explicitly rejected/invalidated + - related_mappings includes schema:Place as the underlying data + describes a geographic place + class_uri: prov:Entity + close_mappings: + - prov:InvalidatedEntity + related_mappings: + - schema:Place attributes: place_id: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/RelatedYoutubeVideo.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/RelatedYoutubeVideo.yaml index 3b43a06f82..69aca8d4f5 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/RelatedYoutubeVideo.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/RelatedYoutubeVideo.yaml @@ -21,7 +21,24 @@ default_range: string classes: RelatedYoutubeVideo: - description: Related YouTube video about the institution from external channels + description: >- + A YouTube video related to a heritage institution, published by an + external channel. Captures video metadata including ID, URL, title, + channel name, and the type of relationship (news coverage, documentary, + interview, etc.). + + Ontology mapping rationale: + - class_uri is schema:VideoObject because this represents video content + with standard video properties (URL, title, publisher/channel) + - close_mappings includes schema:MediaObject as a broader media type + - related_mappings includes schema:CreativeWork for the creative content + aspect and prov:Entity for provenance tracking + class_uri: schema:VideoObject + close_mappings: + - schema:MediaObject + related_mappings: + - schema:CreativeWork + - prov:Entity attributes: video_id: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/ResearchSourceData.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/ResearchSourceData.yaml index 64814fbec4..e74f305957 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/ResearchSourceData.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/ResearchSourceData.yaml @@ -21,7 +21,25 @@ default_range: string classes: ResearchSourceData: - description: Structured data from a research source + description: >- + Structured data from WHOIS research sources including domain registrant + information (name, address, city, state, country, postal code), + organization, contact details (email, phone), and domain lifecycle + dates (creation, update, expiration, registration). Used for + institutional identity verification. + + Ontology mapping rationale: + - class_uri is prov:Entity because this is structured data extracted + from a WHOIS research source with provenance implications + - close_mappings includes schema:Organization as the data primarily + describes organizational registrant information + - related_mappings includes prov:PrimarySource as WHOIS is an + authoritative data source + class_uri: prov:Entity + close_mappings: + - schema:Organization + related_mappings: + - prov:PrimarySource attributes: registrant_name: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/ReviewsSummary.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/ReviewsSummary.yaml index b0cafe4d8d..63aeb75268 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/ReviewsSummary.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/ReviewsSummary.yaml @@ -21,7 +21,21 @@ default_range: string classes: ReviewsSummary: - description: Breakdown of reviews by star rating + description: >- + Breakdown of reviews by star rating (1-5 stars), showing the count + of reviews at each rating level. Provides aggregate review statistics + for heritage institutions from platforms like Google Maps. + + Ontology mapping rationale: + - class_uri is schema:AggregateRating because this represents + aggregated review statistics with count breakdowns by rating + - close_mappings includes schema:Rating as this involves rating data + - related_mappings includes prov:Entity for provenance tracking + class_uri: schema:AggregateRating + close_mappings: + - schema:Rating + related_mappings: + - prov:Entity attributes: 5_star: range: integer diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/UnescoIchElement.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/UnescoIchElement.yaml index 81e7c817db..67d0a60043 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/UnescoIchElement.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/UnescoIchElement.yaml @@ -12,6 +12,7 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types @@ -22,7 +23,23 @@ default_range: string classes: UnescoIchElement: - description: Single UNESCO ICH element + description: >- + A UNESCO Intangible Cultural Heritage (ICH) element, representing + traditions, practices, or cultural expressions inscribed on UNESCO + lists. Captures ICH ID, name, list type, inscription year, whether + multinational, URL, and description. + + Ontology mapping rationale: + - class_uri is skos:Concept because ICH elements are conceptual + categories in UNESCO's intangible heritage classification system + - close_mappings includes schema:Thing as ICH elements are identifiable + things with names and descriptions + - related_mappings includes prov:Entity for provenance tracking + class_uri: skos:Concept + close_mappings: + - schema:Thing + related_mappings: + - prov:Entity attributes: unesco_ich_id: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/WebArchiveFailure.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/WebArchiveFailure.yaml index 268819c9f5..2ee8a37210 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/WebArchiveFailure.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/WebArchiveFailure.yaml @@ -21,7 +21,24 @@ default_range: string classes: WebArchiveFailure: - description: Failed archive attempt record + description: >- + Record of a failed web archive attempt, documenting the URL that could + not be archived, the failure reason, archivability status, and retry + history. Essential for audit trails and troubleshooting extraction + pipelines. + + Ontology mapping rationale: + - class_uri is prov:Entity because this is a data record documenting + a failed activity - the failure itself is an entity with provenance + - close_mappings includes prov:InvalidatedEntity as the archive attempt + was invalidated/failed + - related_mappings includes schema:Action as the underlying archiving + action that failed + class_uri: prov:Entity + close_mappings: + - prov:InvalidatedEntity + related_mappings: + - schema:Action attributes: url: range: uri diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/WebClaimsBlock.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/WebClaimsBlock.yaml index 7fe9f7b79c..1ae8840792 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/WebClaimsBlock.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/WebClaimsBlock.yaml @@ -25,7 +25,23 @@ default_range: string classes: WebClaimsBlock: - description: Claims extracted from archived websites + description: >- + Container for claims extracted from archived websites, including valid + claims, removed invalid claims, validation metadata, and layout + integration status. Serves as a collection of web observations with + full provenance tracking. + + Ontology mapping rationale: + - class_uri is prov:Collection because this aggregates multiple WebClaim + entities extracted from the same source archive + - close_mappings includes schema:Collection as a general collection type + - related_mappings includes prov:Entity as this block is itself an entity + with extraction timestamp and provenance + class_uri: prov:Collection + close_mappings: + - schema:Collection + related_mappings: + - prov:Entity attributes: extraction_timestamp: range: datetime diff --git a/frontend/public/schemas/20251121/linkml/modules/classes/WebCollection.yaml b/frontend/public/schemas/20251121/linkml/modules/classes/WebCollection.yaml index 3dba73f232..80f34374b0 100644 --- a/frontend/public/schemas/20251121/linkml/modules/classes/WebCollection.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/classes/WebCollection.yaml @@ -12,6 +12,7 @@ prefixes: schema: http://schema.org/ prov: http://www.w3.org/ns/prov# xsd: http://www.w3.org/2001/XMLSchema# + dcmitype: http://purl.org/dc/dcmitype/ imports: - linkml:types @@ -21,7 +22,24 @@ default_range: string classes: WebCollection: - description: A collection documented on a heritage institution website + description: >- + A collection documented on a heritage institution website, such as + oral history recordings, photograph archives, or document collections. + Captures collection metadata including name, description, URL, type, + item count, and total hours for audio/video content. + + Ontology mapping rationale: + - class_uri is dcmitype:Collection because this represents a curated + aggregation of heritage items documented on an institutional website + - close_mappings includes schema:Collection for web-discoverable collections + - related_mappings includes prov:Entity for provenance tracking and + schema:CreativeWork as collections contain creative works + class_uri: dcmitype:Collection + close_mappings: + - schema:Collection + related_mappings: + - prov:Entity + - schema:CreativeWork attributes: name: range: string diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/activity_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/activity_id.yaml index 175d5b0e97..071fe60a01 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/activity_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/activity_id.yaml @@ -4,12 +4,16 @@ title: Activity Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: activity_id: - description: "[AUTO-GENERATED STUB] Activity Id" + description: 'Unique identifier for an activity. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:activityId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/admin_office_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/admin_office_id.yaml index 9b49bc2c90..9fa8775a0c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/admin_office_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/admin_office_id.yaml @@ -4,12 +4,16 @@ title: Admin Office Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: admin_office_id: - description: "[AUTO-GENERATED STUB] Admin Office Id" + description: 'Unique identifier for an administrative office. Mapped to + dcterms:identifier as the standard property for resource identifiers.' range: string - slot_uri: hc:adminOfficeId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/agenda_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/agenda_id.yaml index 37347d3377..ff37462af5 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/agenda_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/agenda_id.yaml @@ -4,12 +4,16 @@ title: Agenda Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: agenda_id: - description: "[AUTO-GENERATED STUB] Agenda Id" + description: 'Unique identifier for an agenda. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:agendaId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/annex_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/annex_id.yaml index 66afb2b2e2..c6f7c72dfa 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/annex_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/annex_id.yaml @@ -4,12 +4,16 @@ title: Annex Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: annex_id: - description: "[AUTO-GENERATED STUB] Annex Id" + description: 'Unique identifier for an annex. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:annexId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/appraisal_notes.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/appraisal_notes.yaml index 238bf157c9..932ba84efb 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/appraisal_notes.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/appraisal_notes.yaml @@ -5,11 +5,18 @@ prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: appraisal_notes: - description: "[AUTO-GENERATED STUB] Appraisal Notes" + description: >- + Notes on the appraisal process or valuation of archival/heritage materials. + + Maps to skos:note for general documentation notes about a resource. range: string - slot_uri: hc:appraisalNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/arrangement_notes.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/arrangement_notes.yaml index 5e5f89cda0..33b322c4e5 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/arrangement_notes.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/arrangement_notes.yaml @@ -5,11 +5,18 @@ prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: arrangement_notes: - description: "[AUTO-GENERATED STUB] Arrangement Notes" + description: >- + Notes on the arrangement or organization of archival materials. + + Maps to skos:note for general documentation notes about resource organization. range: string - slot_uri: hc:arrangementNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/assertion_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/assertion_id.yaml index 2a2bcae1ac..5661966883 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/assertion_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/assertion_id.yaml @@ -4,12 +4,16 @@ title: Assertion Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: assertion_id: - description: "[AUTO-GENERATED STUB] Assertion Id" + description: 'Unique identifier for an assertion. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:assertionId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_place_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_place_id.yaml index c9605587b2..6983fa3c8e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_place_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_place_id.yaml @@ -4,12 +4,16 @@ title: Auxiliary Place Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: auxiliary_place_id: - description: "[AUTO-GENERATED STUB] Auxiliary Place Id" + description: 'Unique identifier for an auxiliary place. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:auxiliaryPlaceId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_platform_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_platform_id.yaml index 41f14e807d..770a6084db 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_platform_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/auxiliary_platform_id.yaml @@ -4,12 +4,16 @@ title: Auxiliary Platform Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: auxiliary_platform_id: - description: "[AUTO-GENERATED STUB] Auxiliary Platform Id" + description: 'Unique identifier for an auxiliary digital platform. Mapped to + dcterms:identifier as the standard property for resource identifiers.' range: string - slot_uri: hc:auxiliaryPlatformId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/base_surname.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/base_surname.yaml index 8c6712890a..c2fa7a8945 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/base_surname.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/base_surname.yaml @@ -10,58 +10,41 @@ imports: - linkml:types slots: base_surname: - slot_uri: hc:baseSurname - description: 'Family name WITHOUT prefixes, used for alphabetical sorting. - + slot_uri: pnv:baseSurname + description: >- + Family name WITHOUT prefixes, used for alphabetical sorting. In Dutch naming conventions, surnames with prefixes (tussenvoegsels) like - "van", "de", "van der", etc. are sorted by the main surname element, - ignoring the prefix. - This property captures just the sortable surname component: - Examples: - - "de Vries" → base_surname: "Vries" (sorts under V) - - "van den Berg" → base_surname: "Berg" (sorts under B) - - "van der Waals" → base_surname: "Waals" (sorts under W) - - - "in ''t Veld" → base_surname: "Veld" (sorts under V) - + - "in 't Veld" → base_surname: "Veld" (sorts under V) Equivalent to BioDes:geslachtsnaam in Dutch heritage standards. - IMPORTANT: Belgian Dutch and some international conventions may sort - by the full surname including prefix. In those cases, use the full - surname here or handle sorting differently in your application. - For surnames without prefixes, base_surname equals the full surname: - - "Jansen" → base_surname: "Jansen" - - "Bakker" → base_surname: "Bakker" - - ' range: string exact_mappings: - - pnv:baseSurname + - pnv:baseSurname close_mappings: - - schema:familyName - - foaf:familyName - - foaf:surname + - schema:familyName + - foaf:familyName + - foaf:surname related_mappings: - - foaf:lastName + - foaf:lastName comments: - - >- - pnv:baseSurname is from Person Name Vocabulary (https://w3id.org/pnv#). - Uses hc: namespace since pnv is not a core ontology in this schema. + - >- + pnv:baseSurname is from Person Name Vocabulary (https://w3id.org/pnv#). + Uses pnv: namespace directly as the primary slot_uri. diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/binding_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/binding_description.yaml index b00e439d0a..277c10ee3a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/binding_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/binding_description.yaml @@ -4,13 +4,18 @@ title: Binding Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: binding_description: - description: 'Detailed description of binding (decorations, tooling, condition). - - ' + description: >- + Detailed description of binding (decorations, tooling, condition). + + Maps to dcterms:description for physical characteristics of bound materials. range: string - slot_uri: hc:bindingDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/bold_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/bold_id.yaml index a90d8aa095..fa19fabd38 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/bold_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/bold_id.yaml @@ -4,15 +4,20 @@ title: Bold Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: bold_id: - description: 'Barcode of Life Data System (BOLD) record ID. + description: 'Barcode of Life Data System (BOLD) record ID. Mapped to + dcterms:identifier as the standard property for external identifiers. Links to DNA barcode data. ' range: string - slot_uri: hc:boldId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_description.yaml index 1d63a2c3e6..3883407d7f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_description.yaml @@ -4,24 +4,24 @@ title: Branch Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_description: - description: 'Free-text description of this organizational branch. - - + description: >- + Free-text description of this organizational branch. + + Maps to dcterms:description for organizational unit descriptions. + Include: - - Mission/purpose of branch - - Services provided - - Collections managed - - Relationship to main organization - - ' range: string - slot_uri: hc:branchDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_id.yaml index bdcba1f0f5..ef771f4add 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_id.yaml @@ -4,15 +4,20 @@ title: Branch Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_id: - description: 'Unique identifier for this organizational branch. + description: 'Unique identifier for this organizational branch. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:branchId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_name.yaml index 030b3a187f..44aa64fb00 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_name.yaml @@ -4,19 +4,20 @@ title: Branch Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_name: - description: 'Official name of this organizational branch. - - - SKOS: prefLabel for preferred name. - - - This is the formal name of the branch as used in official documents. - - ' + description: >- + Official name of this organizational branch. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. This is the formal name of the + branch as used in official documents. range: string - slot_uri: hc:branchName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_description.yaml index cf0bc0380a..b4d4f1f400 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_description.yaml @@ -4,24 +4,24 @@ title: Branch Office Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_office_description: - description: 'Free-text description of this branch office. - + description: >- + Free-text description of this branch office. + + Maps to dcterms:description for location/office descriptions. Include: - - Services offered at this location - - Target audience/community served - - Distinguishing features from main location - - Access information - - ' range: string - slot_uri: hc:branchOfficeDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_id.yaml index 047ca9d6b5..078f05f655 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_id.yaml @@ -4,15 +4,20 @@ title: Branch Office Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_office_id: - description: 'Unique identifier for this branch office. + description: 'Unique identifier for this branch office. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:branchOfficeId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_name.yaml index 52ade99e4d..fe8cacf803 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/branch_office_name.yaml @@ -4,19 +4,20 @@ title: Branch Office Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: branch_office_name: - description: 'Name of this branch office. - - - SKOS: prefLabel for preferred name. - - + description: >- + Name of this branch office. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Typically includes parent organization name + branch location/function. - - ' range: string - slot_uri: hc:branchOfficeName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/budget_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/budget_description.yaml index 2b326db5e3..5d3980ed0a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/budget_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/budget_description.yaml @@ -4,13 +4,18 @@ title: Budget Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: budget_description: - description: 'Narrative description of budget scope, priorities, and key allocations. - - ' + description: >- + Narrative description of budget scope, priorities, and key allocations. + + Maps to dcterms:description for financial resource descriptions. range: string - slot_uri: hc:budgetDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/budget_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/budget_name.yaml index 888dcbaff6..9fba7f8d62 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/budget_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/budget_name.yaml @@ -4,22 +4,23 @@ title: Budget Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: budget_name: - description: 'Name/title for this budget. - + description: >- + Name/title for this budget document. + + Maps to dcterms:title as a formal title for a financial planning resource. **Examples**: - - "Rijksmuseum Operating Budget FY2024" - - "Noord-Hollands Archief Annual Budget 2024-2025" - - "Wallace Collection Capital Plan 2024-2028" - - ' range: string - slot_uri: hc:budgetName + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_description.yaml index ef78a3ce64..6503348bab 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_description.yaml @@ -4,11 +4,18 @@ title: Call Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: call_description: range: string - description: Detailed description of the funding call and its objectives - slot_uri: hc:callDescription + description: >- + Detailed description of the funding call and its objectives. + + Maps to dcterms:description for grant/funding opportunity descriptions. + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_id.yaml index 6972cf92d3..1d49d6d787 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_id.yaml @@ -4,6 +4,8 @@ title: Call Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -11,9 +13,12 @@ slots: call_id: identifier: true range: uriorcurie - description: 'Unique identifier for this funding call. + description: 'Unique identifier for this funding call. Mapped to dcterms:identifier + as the standard property for resource identifiers. Format: https://nde.nl/ontology/hc/call/{issuing-org-slug}/{call-code} ' - slot_uri: hc:callId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_identifier.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_identifier.yaml index a4e773bd08..e74abd3ac2 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_identifier.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_identifier.yaml @@ -4,6 +4,8 @@ title: Call Identifiers Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -11,5 +13,8 @@ slots: call_identifier: range: uriorcurie multivalued: true - description: External identifiers (EU Funding & Tenders ID, etc.) - slot_uri: hc:callIdentifiers + description: 'External identifiers (EU Funding & Tenders ID, etc.). Mapped to + dcterms:identifier as the standard property for resource identifiers.' + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_short_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_short_name.yaml index bf29e302ec..c537744821 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_short_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_short_name.yaml @@ -4,15 +4,17 @@ title: Call Short Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: call_short_name: range: string - description: 'Short name or official code for the call. - + description: >- + Short name or official code for the call. + + Ontology mapping: skos:altLabel is the standard SKOS property for + alternative labels including abbreviations and codes. Often used in EU Funding & Tenders portal. - - ' - slot_uri: hc:callShortName + slot_uri: skos:altLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_title.yaml index 384c64259e..68d6921744 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_title.yaml @@ -4,15 +4,20 @@ title: Call Title Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: call_title: range: string - description: 'Official title of the funding call. - + description: >- + Official title of the funding call. + + Ontology mapping: dcterms:title is the Dublin Core property for + the name given to a resource. Should match documentation exactly for discoverability. - - ' - slot_uri: hc:callTitle + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/call_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/call_url.yaml index 1e27374f8a..02765c6534 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/call_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/call_url.yaml @@ -4,11 +4,16 @@ title: Call Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: call_url: range: uri - description: Official call documentation or application portal URL - slot_uri: hc:callUrl + description: 'Official call documentation or application portal URL. Mapped to + schema:url as the standard property for web addresses.' + slot_uri: schema:url + close_mappings: + - foaf:page diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/capacity_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/capacity_description.yaml index 9c3ade58df..bcac3af5a4 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/capacity_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/capacity_description.yaml @@ -4,18 +4,20 @@ title: Capacity Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: capacity_description: - description: 'Free-text description of storage capacity. - - + description: >- + Free-text description of storage capacity. + + Maps to dcterms:description for qualitative capacity descriptions. Use when precise measurements not available or when capacity - is better described qualitatively. - - ' range: string - slot_uri: hc:capacityDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/category_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/category_note.yaml index d541083b30..76d419d38b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/category_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/category_note.yaml @@ -4,11 +4,18 @@ title: Category Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: category_note: - description: Notes specific to this category assessment + description: >- + Notes specific to this category assessment. + + Maps to skos:note for documentation notes about classification decisions. range: string - slot_uri: hc:categoryNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/certainty_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/certainty_note.yaml index e81ab0f9ec..14322e41ff 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/certainty_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/certainty_note.yaml @@ -4,13 +4,18 @@ title: Certainty Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: certainty_note: - description: 'Explanation of certainty assessment. - - ' + description: >- + Explanation of certainty assessment. + + Maps to skos:note for documentation notes about confidence/certainty levels. range: string - slot_uri: hc:certaintyNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_description.yaml index 4045ed1d1a..eb24a08f74 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_description.yaml @@ -4,28 +4,24 @@ title: chapter_description slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: chapter_description: - description: 'Optional detailed description of chapter content. - - - Schema.org: description for chapter details. - - + description: >- + Optional detailed description of chapter content. + + Maps to dcterms:description (aligns with Schema.org description). Longer-form description than title. May include: - - Topics covered - - Featured artworks - - Key points discussed - - + Not all platforms display chapter descriptions. - - ' range: string - slot_uri: hc:chapterDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_id.yaml index 636a9303dd..8513e80716 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_id.yaml @@ -4,15 +4,15 @@ title: chapter_id slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: chapter_id: - description: 'Unique identifier for this chapter. - - - Dublin Core: identifier for unique identification. + description: 'Unique identifier for this chapter. Mapped to dcterms:identifier + as the standard property for unique identification. **Format**: Platform-specific or UUID @@ -23,4 +23,6 @@ slots: ' range: string - slot_uri: hc:chapterId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_thumbnail_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_thumbnail_url.yaml index ba2cad1e2c..391aa6520c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_thumbnail_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_thumbnail_url.yaml @@ -4,15 +4,15 @@ title: chapter_thumbnail_url slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: chapter_thumbnail_url: - description: 'URL to thumbnail image for this chapter. - - - Schema.org: thumbnailUrl for preview image. + description: 'URL to thumbnail image for this chapter. Mapped to schema:thumbnailUrl + as the specific Schema.org property for preview images. **Platform Behavior**: @@ -26,4 +26,6 @@ slots: ' range: uri - slot_uri: hc:chapterThumbnailUrl + slot_uri: schema:thumbnailUrl + close_mappings: + - foaf:thumbnail diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_title.yaml index 73f06bec7b..702ae62f25 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/chapter_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/chapter_title.yaml @@ -4,32 +4,28 @@ title: chapter_title slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: chapter_title: - description: 'Title of the chapter as displayed to viewers. - - - Schema.org: name for the chapter''s title. - + description: >- + Title of the chapter as displayed to viewers. + + Ontology mapping: dcterms:title is the Dublin Core property for + the name given to a resource, applicable to video chapters. **Best Practices**: - - Keep titles concise (under 50 characters) - - Use descriptive, meaningful titles - - Avoid timestamps in title (redundant) - **Auto-Generated Titles**: - - YouTube AI: Often generic ("Introduction", "Main Content") - - May need manual refinement for heritage content - - ' range: string - slot_uri: hc:chapterTitle + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/claim_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/claim_note.yaml index 3ebe789dfd..d49d3d632b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/claim_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/claim_note.yaml @@ -4,11 +4,18 @@ title: claim_notes slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: claim_note: range: string - description: Notes about this specific claim extraction - slot_uri: hc:claimNotes + description: >- + Notes about this specific claim extraction. + + Maps to skos:note for documentation notes about data extraction process. + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/cms_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/cms_id.yaml index 16d56ff28b..cac8365c43 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/cms_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/cms_id.yaml @@ -4,12 +4,15 @@ title: Cms Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: cms_id: - description: 'Unique identifier for this CMS instance/deployment. + description: 'Unique identifier for this CMS instance/deployment. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. @@ -22,4 +25,6 @@ slots: ' range: uriorcurie - slot_uri: hc:cmsId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/cms_product_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/cms_product_name.yaml index 5bad640100..8fd83d97cc 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/cms_product_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/cms_product_name.yaml @@ -4,37 +4,30 @@ title: Cms Product Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: cms_product_name: - description: 'Name of the CMS software product. - - - Schema.org: name for the software application name. - + description: >- + Name of the CMS software product. + + Ontology mapping: schema:name is the Schema.org property for the + name of an item, specifically applicable to software applications. Examples: - - "CollectiveAccess" - - "MuseumPlus" - - "Adlib" - - "TMS (The Museum System)" - - "ArchivesSpace" - - "MAIS-Flexis" - - "Omeka S" - - "DSpace" - - "ResourceSpace" - - ' range: string - slot_uri: hc:cmsProductName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/collection_discovery_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/collection_discovery_score.yaml index 90b4d87e67..77387ca744 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/collection_discovery_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/collection_discovery_score.yaml @@ -12,6 +12,8 @@ title: Collection Discovery Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: collection_discovery_score: - slot_uri: hc:collectionDiscoveryScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for collection exploration + description: >- + Specificity score for collection exploration. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_description.yaml index fb02ce5632..0842e54c53 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_description.yaml @@ -4,16 +4,18 @@ title: Collection Type Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: collection_type_description: - description: 'Definition of this collection type. - - - SKOS: definition for formal definition. - - ' + description: >- + Definition of this collection type. + + Maps to skos:definition for formal definition of a controlled vocabulary term. range: string - slot_uri: hc:collectionTypeDescription + slot_uri: skos:definition + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_id.yaml index d18af68a68..758e9521d8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_id.yaml @@ -4,13 +4,18 @@ title: Collection Type Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: collection_type_id: - description: 'Unique identifier for this collection type. + description: 'Unique identifier for this collection type. Mapped to + dcterms:identifier as the standard property for resource identifiers. ' range: uriorcurie - slot_uri: hc:collectionTypeId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_name.yaml index 279646dedd..0527fd629c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/collection_type_name.yaml @@ -4,16 +4,16 @@ title: Collection Type Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: collection_type_name: - description: 'Preferred name for this collection type. - - - SKOS: prefLabel for primary term. - - ' + description: >- + Preferred name for this collection type. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + the primary lexical label of a concept. range: string - slot_uri: hc:collectionTypeName + slot_uri: skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/comment_author_channel_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/comment_author_channel_id.yaml index ed0472b493..bb2b9289ef 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/comment_author_channel_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/comment_author_channel_id.yaml @@ -4,11 +4,16 @@ title: Comment Author Channel Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: comment_author_channel_id: - description: Platform channel/account ID of author + description: 'Platform channel/account ID of author. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:commentAuthorChannelId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/comment_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/comment_id.yaml index b71f1da576..6e1bb883fa 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/comment_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/comment_id.yaml @@ -4,11 +4,16 @@ title: Comment Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: comment_id: - description: Unique identifier for the comment + description: 'Unique identifier for the comment. Mapped to dcterms:identifier + as the standard property for resource identifiers.' range: string - slot_uri: hc:commentId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/complex_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/complex_name.yaml index 4ebc28da9f..c6457a52f8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/complex_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/complex_name.yaml @@ -4,13 +4,19 @@ title: Complex Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: complex_name: - description: 'Name of the complex/ensemble if applicable. - - ' + description: >- + Name of the complex/ensemble if applicable. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:complexName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/condition_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/condition_id.yaml index 45e17aff04..438777c239 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/condition_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/condition_id.yaml @@ -4,15 +4,20 @@ title: Condition Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: condition_id: - description: 'Unique identifier for this condition observation. + description: 'Unique identifier for this condition observation. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:conditionId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/confidence.yaml index 7f07e0a14d..9bd40bd0c2 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/confidence.yaml @@ -3,12 +3,15 @@ name: confidence_slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# + schema: http://schema.org/ imports: - linkml:types default_range: string slots: confidence: - slot_uri: hc:confidence + slot_uri: sosa:hasSimpleResult description: 'Confidence score for AI-generated content. @@ -32,6 +35,11 @@ slots: - < 0.7: Low, flag for human verification + + **Ontology mapping**: Uses sosa:hasSimpleResult because AI/ML models + act as sensors producing observation results. The confidence score is + the simple (scalar) result of a classification/detection observation. + ' range: float minimum_value: 0.0 diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/confidence_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/confidence_score.yaml index ccade80572..e20e40fb41 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/confidence_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/confidence_score.yaml @@ -2,10 +2,11 @@ id: https://nde.nl/ontology/hc/slot/confidence_score name: confidence_score_slot prefixes: hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ prov: http://www.w3.org/ns/prov# slots: confidence_score: - slot_uri: hc:confidenceScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 @@ -22,11 +23,13 @@ slots: Range: 0.0 (low confidence) to 1.0 (high confidence) - PROV-O Extension: prov:confidence for activity quality assessment. + **Ontology mapping**: Uses sosa:hasSimpleResult because the confidence + score is a computed observation result from an automated quality assessment + process acting as a "sensor" observing methodology quality. ' - related_mappings: + close_mappings: - prov:value comments: - prov:confidence does not exist as a PROV-O predicate - - Use prov:value for generic value assertions in PROV-O context + - Use sosa:hasSimpleResult as primary; prov:value as close mapping diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/confidence_value.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/confidence_value.yaml index 0fbe70b63f..8ae4e93153 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/confidence_value.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/confidence_value.yaml @@ -1,14 +1,22 @@ id: https://nde.nl/ontology/hc/slot/confidence_value name: confidence_value_slot +prefixes: + linkml: https://w3id.org/linkml/ + hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# + rdf: http://www.w3.org/1999/02/22-rdf-syntax-ns# slots: confidence_value: - slot_uri: rdf:value + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 description: 'Numeric confidence score (0.0-1.0). - RDF: value for literal content. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a computed + observation result. rdf:value and prov:value are close/broad mappings. ' close_mappings: diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/content_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/content_id.yaml index aeb656e50e..a51e942514 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/content_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/content_id.yaml @@ -4,12 +4,15 @@ title: Content Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: content_id: - description: 'Unique identifier for this content item. + description: 'Unique identifier for this content item. Mapped to dcterms:identifier + as the standard property for resource identifiers. Format varies by platform: @@ -25,4 +28,6 @@ slots: ' range: string - slot_uri: hc:contentId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/content_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/content_title.yaml index b9d8f6ad5c..89f534bc65 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/content_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/content_title.yaml @@ -13,20 +13,17 @@ imports: default_prefix: hc slots: content_title: - slot_uri: hc:contentTitle - description: 'Title or label for this text content. - - - Dublin Core: title for content name. - + slot_uri: dcterms:title + description: >- + Title or label for this text content. + + Ontology mapping: dcterms:title is the Dublin Core property for + the name given to a resource. Examples: - - "Rijksmuseum Tour - Full Transcript" - - "Dutch Subtitles - Auto-generated" - - "Scene Annotations - CV Model v2.1" - - ' range: string + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/copy_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/copy_note.yaml index 3c60594760..a6f21e78dd 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/copy_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/copy_note.yaml @@ -4,14 +4,19 @@ title: Copy Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: copy_note: - description: 'Notes specific to this copy (imperfections, special features). - - ' + description: >- + Notes specific to this copy (imperfections, special features). + + Maps to skos:note for item-specific documentation notes. range: string multivalued: true - slot_uri: hc:copyNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/dealer_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/dealer_name.yaml index 982c0d6fc6..64bad52a2a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/dealer_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/dealer_name.yaml @@ -4,13 +4,19 @@ title: Dealer Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: dealer_name: - description: 'Art dealer name (for DEALER_SALE events). - - ' + description: >- + Art dealer name (for DEALER_SALE events). + + Ontology mapping: foaf:name is the FOAF property for a person or + organization's name. range: string - slot_uri: hc:dealerName + slot_uri: foaf:name + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/degree_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/degree_name.yaml index 2e8130fbb5..f8f4ce5c89 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/degree_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/degree_name.yaml @@ -4,15 +4,20 @@ title: Degree Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: degree_name: - description: 'Full degree name as displayed on LinkedIn. - + description: >- + Full degree name as displayed on LinkedIn. + + Ontology mapping: schema:name is the Schema.org property for the + name of an item. May include degree type, field, and specialization combined. - - ' range: string - slot_uri: hc:degreeName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/departement_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/departement_name.yaml index 1d8783a763..7fe6b564b1 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/departement_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/departement_name.yaml @@ -4,13 +4,19 @@ title: Departement Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: departement_name: - description: 'Name of the département this archive serves. - - ' + description: >- + Name of the département this archive serves. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:departementName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/department_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/department_description.yaml index 1ea7957245..b48b9c0a99 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/department_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/department_description.yaml @@ -4,16 +4,18 @@ title: Department Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: department_description: - description: 'Description of the department''s purpose, scope, and activities. - - - Dublin Core: description for free-text description. - - ' + description: >- + Description of the department's purpose, scope, and activities. + + Maps to dcterms:description for organizational unit free-text descriptions. range: string - slot_uri: hc:departmentDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/department_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/department_id.yaml index 1473d8d983..eb065d559e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/department_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/department_id.yaml @@ -4,15 +4,20 @@ title: Department Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: department_id: - description: 'Unique identifier for this department. + description: 'Unique identifier for this department. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:departmentId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/department_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/department_name.yaml index d5e5baf2b3..81cfba95cc 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/department_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/department_name.yaml @@ -4,21 +4,20 @@ title: Department Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: department_name: - description: 'Official name of the department. - - - SKOS: prefLabel for preferred lexical label. - - - Should be the formal name as used in official documents, - - organizational charts, and governance records. - - ' + description: >- + Official name of the department. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Should be the formal name as used + in official documents, organizational charts, and governance records. range: string - slot_uri: hc:departmentName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/device_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/device_id.yaml index 5ac450d2c8..6c7f56157a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/device_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/device_id.yaml @@ -4,15 +4,22 @@ title: Device Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ + sosa: http://www.w3.org/ns/sosa/ imports: - linkml:types default_prefix: hc slots: device_id: - description: 'Unique identifier for this IoT device or device network. + description: 'Unique identifier for this IoT device or device network. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:deviceId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier + - sosa:Sensor diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/device_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/device_name.yaml index fa232b22af..2aba68568b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/device_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/device_name.yaml @@ -4,16 +4,20 @@ title: Device Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: device_name: - description: 'Human-readable name for this IoT device or network. - - + description: >- + Human-readable name for this IoT device or network. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Should be descriptive of location and purpose. - - ' range: string - slot_uri: hc:deviceName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_confidence.yaml index c3d6e16b1c..fdda8d4013 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_confidence.yaml @@ -4,11 +4,21 @@ title: Diarization Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: diarization_confidence: - description: Diarization confidence (0.0-1.0) + description: >- + Diarization confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because speaker diarization + models act as sensors producing observation results. range: float - slot_uri: hc:diarizationConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_id.yaml index b0d3bd2230..c5e6db5694 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_id.yaml @@ -4,11 +4,16 @@ title: Diarization Speaker Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: diarization_speaker_id: - description: Anonymous speaker identifier (spk_001, spk_002, etc.) + description: 'Anonymous speaker identifier (spk_001, spk_002, etc.). Mapped to + dcterms:identifier as the standard property for resource identifiers.' range: string - slot_uri: hc:diarizationSpeakerId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_label.yaml index 33ff8b243d..64b80d7f97 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/diarization_speaker_label.yaml @@ -4,11 +4,19 @@ title: Diarization Speaker Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + rdfs: http://www.w3.org/2000/01/rdf-schema# + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: diarization_speaker_label: - description: Optional identified name or role + description: >- + Optional identified name or role for speaker in audio diarization. + + Maps to rdfs:label as a human-readable identifier for a speaker segment. + May represent a name ("Dr. Smith") or role ("Narrator", "Interviewer"). range: string - slot_uri: hc:diarizationSpeakerLabel + slot_uri: rdfs:label + close_mappings: + - foaf:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/digital_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/digital_confidence.yaml index 05a4d77933..880c7a4227 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/digital_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/digital_confidence.yaml @@ -4,11 +4,16 @@ title: Digital Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: digital_confidence: - description: Digital proficiency confidence level + description: >- + Digital proficiency confidence level. + + **Ontology mapping**: Uses skos:notation because this is a categorical + proficiency level from a controlled vocabulary, not a numeric score. range: string - slot_uri: hc:digitalConfidence + slot_uri: skos:notation diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/digital_platform_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/digital_platform_score.yaml index 864c771b71..0bb0c3d3e1 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/digital_platform_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/digital_platform_score.yaml @@ -12,6 +12,8 @@ title: Digital Platform Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: digital_platform_score: - slot_uri: hc:digitalPlatformScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for digital systems queries + description: >- + Specificity score for digital systems queries. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/diocese_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/diocese_name.yaml index f6b243e015..76920ea6f8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/diocese_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/diocese_name.yaml @@ -4,15 +4,20 @@ title: Diocese Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: diocese_name: - description: 'Name of the diocese whose records are held. - + description: >- + Name of the diocese whose records are held. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Example: Diocese of Utrecht, Diocese of Münster - - ' range: string - slot_uri: hc:dioceseName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/document_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/document_description.yaml index f9d68fc118..7f676faba3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/document_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/document_description.yaml @@ -4,15 +4,19 @@ title: Document Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: document_description: - description: 'Narrative description of the articles, including key provisions - + description: >- + Narrative description of the document articles, including key provisions and any notable characteristics. - - ' + + Maps to dcterms:description for document resource descriptions. range: string - slot_uri: hc:documentDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/document_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/document_title.yaml index 8dfd0043c1..b09b8a17f3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/document_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/document_title.yaml @@ -4,24 +4,25 @@ title: Document Title Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: document_title: - description: 'Official title of the document. - + description: >- + Official title of the document. + + Ontology mapping: dcterms:title is the Dublin Core property for + the name given to a resource, specifically applicable to documents. **Examples**: - - "Statuten Stichting Rijksmuseum" - - "Akte van oprichting Stichting Noord-Hollands Archief" - - "Articles of Association of The Wallace Collection" - - "Satzung des Deutschen Museums" - - ' range: string - slot_uri: hc:documentTitle + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_description.yaml index 2cde03f2f8..fb7de7ed95 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_description.yaml @@ -4,24 +4,24 @@ title: Education Center Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: education_center_description: - description: 'Free-text description of this education center. - + description: >- + Free-text description of this education center. + + Maps to dcterms:description for educational facility descriptions. Include: - - Educational mission - - Types of programs offered - - Facilities available - - Target audiences - - ' range: string - slot_uri: hc:educationCenterDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_id.yaml index 0d19131377..4ecf143a2a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_id.yaml @@ -4,15 +4,20 @@ title: Education Center Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: education_center_id: - description: 'Unique identifier for this education center. + description: 'Unique identifier for this education center. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:educationCenterId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_name.yaml index a8d0182a1f..8e05b746c5 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/education_center_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/education_center_name.yaml @@ -4,16 +4,19 @@ title: Education Center Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: education_center_name: - description: 'Name of this education center. - - - SKOS: prefLabel for preferred name. - - ' + description: >- + Name of this education center. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:educationCenterName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/education_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/education_description.yaml index 0087d7c961..ac50d8c3c4 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/education_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/education_description.yaml @@ -4,15 +4,19 @@ title: Education Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: education_description: - description: 'Additional description of educational experience. - + description: >- + Additional description of educational experience. May include thesis topics, research focus, etc. - - ' + + Maps to dcterms:description for educational background descriptions. range: string - slot_uri: hc:educationDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/employer_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/employer_name.yaml index 67e6786b6a..0e869c2b87 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/employer_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/employer_name.yaml @@ -4,15 +4,19 @@ title: Employer Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: employer_name: - description: 'Name of the employing organization. - - Schema.org: schema:name of the schema:Organization - - ' + description: >- + Name of the employing organization. + + Ontology mapping: schema:name is the Schema.org property for the + name of an organization. range: string - slot_uri: hc:employerName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/engagement_rate.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/engagement_rate.yaml index 86b8c65f40..e23001df1a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/engagement_rate.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/engagement_rate.yaml @@ -4,6 +4,7 @@ title: Engagement Rate Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -19,6 +20,10 @@ slots: Cultural heritage accounts typically see 1-3% engagement. + + **Ontology mapping**: Uses schema:interactionStatistic because this is + a social media interaction metric measuring user engagement with content. + ' range: float - slot_uri: hc:engagementRate + slot_uri: schema:interactionStatistic diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/extraction_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/extraction_confidence.yaml index 8accdcc9d8..1192c7a8fc 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/extraction_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/extraction_confidence.yaml @@ -3,11 +3,12 @@ name: extraction_confidence_slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ prov: http://www.w3.org/ns/prov# default_prefix: hc slots: extraction_confidence: - slot_uri: prov:value + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 @@ -29,6 +30,10 @@ slots: - <0.5: Uncertain, needs manual verification + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from extraction algorithms acting as sensors. + ' - broad_mappings: + close_mappings: - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/face_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/face_confidence.yaml index a65551d100..05e10692e3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/face_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/face_confidence.yaml @@ -4,11 +4,21 @@ title: Face Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: face_confidence: - description: Face detection confidence (0.0-1.0) + description: >- + Face detection confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because face detection + models act as sensors producing observation results. range: float - slot_uri: hc:faceConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/feature_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/feature_description.yaml index cf9bd51999..728fa0158b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/feature_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/feature_description.yaml @@ -4,27 +4,24 @@ title: Feature Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: feature_description: range: string - slot_uri: hc:featureDescription - description: 'Description of the physical feature characteristics. - - - Dublin Core: description for textual descriptions. - + slot_uri: dcterms:description + close_mappings: + - schema:description + description: >- + Description of the physical feature characteristics. + + Maps to dcterms:description for heritage feature textual descriptions. Include: - - Architectural style/period - - Physical characteristics - - Heritage significance - - Construction details - - ' diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/feature_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/feature_name.yaml index 0d207b0231..7e0a41ac14 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/feature_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/feature_name.yaml @@ -4,21 +4,23 @@ title: Feature Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + crm: http://www.cidoc-crm.org/cidoc-crm/ imports: - linkml:types default_prefix: hc slots: feature_name: range: string - slot_uri: hc:featureName - description: 'Name/label of the physical feature type classification (OPTIONAL). - - - CIDOC-CRM: P87_is_identified_by links E1_CRM_Entity to E41_Appellation. - + slot_uri: skos:prefLabel + description: >- + Name/label of the physical feature type classification (OPTIONAL). + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. CIDOC-CRM P87_is_identified_by + links E1_CRM_Entity to E41_Appellation. Usually derived from the CustodianPlace.place_name or describes the type. - Can be omitted if only feature_type classification is needed. - - ' + close_mappings: + - crm:P87_is_identified_by diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/feature_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/feature_note.yaml index 877db6818e..9a7f1468aa 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/feature_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/feature_note.yaml @@ -4,27 +4,24 @@ title: Feature Note Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: feature_note: range: string - slot_uri: hc:featureNote - description: 'Contextual notes about the feature type classification. - - - SKOS: note for editorial annotations. - + slot_uri: skos:note + close_mappings: + - dcterms:description + description: >- + Contextual notes about the feature type classification. + + Maps to skos:note for editorial annotations. Use for: - - Classification rationale - - Architectural period - - Conservation status - - Heritage designation - - ' diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/filing_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/filing_id.yaml index 71e5d8dda8..eec71e60d3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/filing_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/filing_id.yaml @@ -4,12 +4,15 @@ title: Filing Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: filing_id: - description: 'Filing identifier or reference number. + description: 'Filing identifier or reference number. Mapped to dcterms:identifier + as the standard property for resource identifiers. **Examples**: @@ -22,4 +25,6 @@ slots: ' range: string - slot_uri: hc:filingId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/funding_rate.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/funding_rate.yaml index 4d922b5556..316c578711 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/funding_rate.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/funding_rate.yaml @@ -4,11 +4,19 @@ title: Funding Rate Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: funding_rate: range: string - description: Maximum funding rate (e.g., "80% of eligible costs") + description: >- + Maximum funding rate (e.g., "80% of eligible costs"). + + **Ontology mapping**: Uses hc:fundingRate as no perfect standard ontology + match exists. schema:percentageValue is a close mapping for percentage + values but is not semantically specific to funding contexts. slot_uri: hc:fundingRate + close_mappings: + - schema:percentageValue diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/general_heritage_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/general_heritage_score.yaml index 7026a98d2c..2a4d1dde17 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/general_heritage_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/general_heritage_score.yaml @@ -12,6 +12,8 @@ title: General Heritage Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: general_heritage_score: - slot_uri: hc:generalHeritageScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for general heritage queries (fallback) + description: >- + Specificity score for general heritage queries (fallback). + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/growth_rate.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/growth_rate.yaml index 165d59a0ab..ed967b26fe 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/growth_rate.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/growth_rate.yaml @@ -4,6 +4,7 @@ title: Growth Rate Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc @@ -12,9 +13,6 @@ slots: description: 'Estimated annual growth rate of this system. - **Dublin Core**: dcterms:accrualPeriodicity for growth patterns. - - Used for: - Storage capacity planning @@ -34,6 +32,10 @@ slots: - "Stable (closed series)" + + **Ontology mapping**: Uses dcterms:accrualPeriodicity because this describes + the rate at which items are added to a collection over time. + ' range: string - slot_uri: hc:growthRate + slot_uri: dcterms:accrualPeriodicity diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/halc_adm2_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/halc_adm2_name.yaml index 2acfdb5ce0..d8d8165a1d 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/halc_adm2_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/halc_adm2_name.yaml @@ -4,19 +4,23 @@ title: Halc Adm2 Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: halc_adm2_name: range: string - description: 'HALC (Historical Atlas of Low Countries) ADM2 district name. - - + description: >- + HALC (Historical Atlas of Low Countries) ADM2 district name. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Used for more specific historical boundary matching. - - ' examples: - - value: Vianen - description: HALC district name - slot_uri: hc:halcAdm2Name + - value: Vianen + description: HALC district name + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/handwriting_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/handwriting_confidence.yaml index 1e56b214ff..379c350039 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/handwriting_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/handwriting_confidence.yaml @@ -4,6 +4,8 @@ title: Handwriting Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -17,6 +19,14 @@ slots: Useful for quality assessment and filtering. + + **Ontology mapping**: Uses sosa:hasSimpleResult because handwriting + recognition models act as sensors producing observation results. + ' range: float - slot_uri: hc:handwritingConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/has_archive_search_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/has_archive_search_score.yaml index 9abbdffc3c..14dffc4d84 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/has_archive_search_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/has_archive_search_score.yaml @@ -4,6 +4,8 @@ title: Has Archive Search Score Slot prefixes: hc: https://nde.nl/ontology/hc/ linkml: https://w3id.org/linkml/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -11,8 +13,14 @@ slots: has_archive_search_score: description: >- Search relevance score from archive search. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. range: float - slot_uri: hc:hasSearchScore + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value annotations: custodian_types: '["*"]' custodian_types_rationale: >- diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/has_audio_quality_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/has_audio_quality_score.yaml index 55f7c12aa6..9ff28a2bc3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/has_audio_quality_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/has_audio_quality_score.yaml @@ -4,6 +4,8 @@ title: Has Audio Quality Score Slot prefixes: hc: https://nde.nl/ontology/hc/ linkml: https://w3id.org/linkml/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# schema: http://schema.org/ imports: - linkml:types @@ -34,10 +36,15 @@ slots: - < 0.4: Poor quality, may need enhancement + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from audio quality analysis algorithms. + ' range: float - slot_uri: schema:ratingValue + slot_uri: sosa:hasSimpleResult close_mappings: + - prov:value - schema:ratingValue annotations: custodian_types: '["*"]' diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/has_or_had_access_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/has_or_had_access_description.yaml index d3ef36af6f..27783a593a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/has_or_had_access_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/has_or_had_access_description.yaml @@ -15,14 +15,15 @@ slots: description: >- Textual description of access conditions, requirements, or procedures. Documents HOW to access materials (hours, restrictions, registration). + + Maps to dcterms:description for access condition descriptions. range: string - slot_uri: hc:hasOrHadAccessDescription + slot_uri: dcterms:description close_mappings: - dcterms:accessRights - schema:conditionsOfAccess related_mappings: - rico:scopeAndContent - - dcterms:description comments: - >- rico:scopeAndContent describes WHAT is in records (scope, content, subject matter). diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/heritage_relevance_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/heritage_relevance_score.yaml index a77aee98e2..d2d3339200 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/heritage_relevance_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/heritage_relevance_score.yaml @@ -4,6 +4,8 @@ title: Heritage Relevance Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -27,6 +29,13 @@ slots: - 0.50-0.55: Intern, unclear relationship, abbreviated name + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from AI classification of heritage sector + relevance. + ' range: float - slot_uri: hc:heritageRelevanceScore + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_description.yaml index 714c899728..da71762c86 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_description.yaml @@ -4,24 +4,24 @@ title: Historic Building Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: historic_building_description: - description: 'Free-text description of this historic building. - + description: >- + Free-text description of this historic building. + + Maps to dcterms:description for heritage building descriptions. Include: - - Historical significance - - Architectural features - - Current use - - Relationship to managing custodian - - ' range: string - slot_uri: hc:historicBuildingDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_id.yaml index ad9a1d85fb..d2fd82c25c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_id.yaml @@ -4,15 +4,20 @@ title: Historic Building Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: historic_building_id: - description: 'Unique identifier for this historic building. + description: 'Unique identifier for this historic building. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:historicBuildingId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_name.yaml index eec2dd7d02..551c4492dc 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/historic_building_name.yaml @@ -4,16 +4,19 @@ title: Historic Building Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: historic_building_name: - description: 'Name of this historic building. - - - SKOS: prefLabel for preferred name. - - ' + description: >- + Name of this historic building. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:historicBuildingName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/identifier_lookup_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/identifier_lookup_score.yaml index 85262f2fd3..15aa471b01 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/identifier_lookup_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/identifier_lookup_score.yaml @@ -12,6 +12,8 @@ title: Identifier Lookup Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: identifier_lookup_score: - slot_uri: hc:identifierLookupScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for identifier resolution + description: >- + Specificity score for identifier resolution. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/institution_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/institution_name.yaml index 1f3eebc7e7..d7f3d7674b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/institution_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/institution_name.yaml @@ -4,15 +4,19 @@ title: Institution Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: institution_name: - description: 'Name of the educational institution. - - Schema.org: schema:name of schema:EducationalOrganization - - ' + description: >- + Name of the educational institution. + + Ontology mapping: schema:name is the Schema.org property for the + name of an item, specifically applicable to educational organizations. range: string - slot_uri: hc:institutionName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/job_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/job_description.yaml index d8d47a42b7..60d62d6c02 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/job_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/job_description.yaml @@ -4,15 +4,19 @@ title: Job Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: job_description: - description: 'Description of responsibilities and achievements (if available). - + description: >- + Description of responsibilities and achievements (if available). Often not present in LinkedIn basic profile data. - - ' + + Maps to dcterms:description for job role descriptions. range: string - slot_uri: hc:jobDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/job_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/job_title.yaml index 4ec1e79478..34132d3a82 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/job_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/job_title.yaml @@ -4,15 +4,19 @@ title: Job Title Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + org: http://www.w3.org/ns/org# imports: - linkml:types default_prefix: hc slots: job_title: - description: 'The job title or role held at this position. - - Schema.org: schema:roleName - - ' + description: >- + The job title or role held at this position. + + Ontology mapping: schema:roleName is the Schema.org property for + the name of a role played by a person in an organization context. range: string - slot_uri: hc:jobTitle + slot_uri: schema:roleName + close_mappings: + - org:role diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/lab_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/lab_description.yaml index b1a4deb6a3..9d32ef2e34 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/lab_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/lab_description.yaml @@ -4,24 +4,24 @@ title: Lab Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: lab_description: - description: 'Free-text description of this conservation laboratory. - + description: >- + Free-text description of this conservation laboratory. + + Maps to dcterms:description for facility descriptions. Include: - - Specializations and capabilities - - Notable equipment or facilities - - Access restrictions - - History of the lab - - ' range: string - slot_uri: hc:labDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/lab_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/lab_id.yaml index 59a66ce873..523833ce75 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/lab_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/lab_id.yaml @@ -4,15 +4,20 @@ title: Lab Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: lab_id: - description: 'Unique identifier for this conservation lab. + description: 'Unique identifier for this conservation lab. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:labId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/lab_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/lab_name.yaml index d46227eb47..bbb8af403c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/lab_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/lab_name.yaml @@ -4,25 +4,24 @@ title: Lab Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: lab_name: - description: 'Name of this conservation laboratory. - - - SKOS: prefLabel for preferred name. - + description: >- + Name of this conservation laboratory. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Common naming patterns: - - "[Institution] Conservation Studio" - - "[Institution] Restauratie Atelier" - - "[Institution] Preservation Lab" - - ' range: string - slot_uri: hc:labName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_confidence.yaml index aa3da1a2e4..20101695d9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_confidence.yaml @@ -4,11 +4,21 @@ title: Landmark Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: landmark_confidence: - description: Detection confidence (0.0-1.0) + description: >- + Detection confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because landmark detection + models act as sensors producing observation results. range: float - slot_uri: hc:landmarkConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_label.yaml index a0794653aa..03b87c9c51 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_label.yaml @@ -4,11 +4,19 @@ title: Landmark Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + rdfs: http://www.w3.org/2000/01/rdf-schema# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: landmark_label: - description: Landmark name + description: >- + Landmark name as recognized by computer vision model. + + Ontology mapping: rdfs:label is the standard RDF property for + human-readable labels. Used here for ML-detected landmark names. range: string - slot_uri: hc:landmarkLabel + slot_uri: rdfs:label + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_wikidata_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_wikidata_id.yaml index 16295fc730..0e29f43cd8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/landmark_wikidata_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/landmark_wikidata_id.yaml @@ -4,11 +4,18 @@ title: Landmark Wikidata Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ + wdt: http://www.wikidata.org/prop/direct/ imports: - linkml:types default_prefix: hc slots: landmark_wikidata_id: - description: Wikidata ID for landmark + description: 'Wikidata ID for landmark. Mapped to dcterms:identifier as a standard + external identifier property. The value should be a Wikidata Q-number (e.g., Q12345).' range: string - slot_uri: hc:landmarkWikidataId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier + - wdt:P625 diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/legal_provenance_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/legal_provenance_note.yaml index 3abc6e0f06..1461e7163a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/legal_provenance_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/legal_provenance_note.yaml @@ -4,16 +4,19 @@ title: Legal Provenance Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: legal_provenance_note: - description: 'Notes on legal status and provenance for conservation-sensitive specimens. - - + description: >- + Notes on legal status and provenance for conservation-sensitive specimens. Document pre-CITES collection, permits, legal transfers. - - ' + + Maps to skos:note for legal documentation notes. range: string - slot_uri: hc:legalProvenanceNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/library_search_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/library_search_score.yaml index 948bc400f1..aca33bf4d9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/library_search_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/library_search_score.yaml @@ -12,6 +12,8 @@ title: Library Search Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: library_search_score: - slot_uri: hc:librarySearchScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for library and bibliographic queries + description: >- + Specificity score for library and bibliographic queries. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_confidence.yaml index 04af51b86a..51d01ac06e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_confidence.yaml @@ -4,11 +4,21 @@ title: Likelihood Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: likelihood_confidence: - description: Confidence in the assessment (0.0-1.0) + description: >- + Confidence in the assessment (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from confidence estimation algorithms. range: float - slot_uri: hc:likelihoodConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_factor.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_factor.yaml index 10e95863c7..829d42ad39 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_factor.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_factor.yaml @@ -4,12 +4,17 @@ title: Likelihood Factors Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: likelihood_factor: - description: Factors contributing to the score + description: >- + Factors contributing to the score. + + **Ontology mapping**: Uses prov:used because these factors are the + inputs that were used by the scoring activity to compute the result. range: string multivalued: true - slot_uri: hc:likelihoodFactors + slot_uri: prov:used diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_level.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_level.yaml index cdc2cb4050..46a24a66d5 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_level.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_level.yaml @@ -4,11 +4,16 @@ title: Likelihood Level Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: likelihood_level: - description: 'Categorical level: low, medium, high' + description: >- + Categorical level: low, medium, high. + + **Ontology mapping**: Uses skos:notation because this is a categorical + classification code from a controlled vocabulary, not a numeric score. range: string - slot_uri: hc:likelihoodLevel + slot_uri: skos:notation diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_score.yaml index 2a2e124b12..6bdaeb64c4 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/likelihood_score.yaml @@ -4,11 +4,19 @@ title: Likelihood Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: likelihood_score: - description: Numeric likelihood score + description: >- + Numeric likelihood score. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from probability estimation algorithms. range: integer - slot_uri: hc:likelihoodScore + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/location_browse_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/location_browse_score.yaml index 8dd1736f79..d60731a081 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/location_browse_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/location_browse_score.yaml @@ -12,6 +12,8 @@ title: Location Browse Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: location_browse_score: - slot_uri: hc:locationBrowseScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for geographic browsing + description: >- + Specificity score for geographic browsing. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/logo_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/logo_confidence.yaml index f01deeeef8..1cf1bc4018 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/logo_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/logo_confidence.yaml @@ -4,11 +4,21 @@ title: Logo Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: logo_confidence: - description: Detection confidence (0.0-1.0) + description: >- + Detection confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because logo detection + models act as sensors producing observation results. range: float - slot_uri: hc:logoConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/logo_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/logo_label.yaml index b308572578..725af4942c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/logo_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/logo_label.yaml @@ -4,11 +4,18 @@ title: Logo Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + rdfs: http://www.w3.org/2000/01/rdf-schema# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: logo_label: - description: Logo name or brand + description: >- + Logo name or brand identifier. + + Maps to rdfs:label as a generic human-readable label for a logo resource. range: string - slot_uri: hc:logoLabel + slot_uri: rdfs:label + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/max_likelihood_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/max_likelihood_score.yaml index bdeb944780..749d6edc57 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/max_likelihood_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/max_likelihood_score.yaml @@ -4,11 +4,16 @@ title: Max Likelihood Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ imports: - linkml:types default_prefix: hc slots: max_likelihood_score: - description: Maximum possible score (typically 100) + description: >- + Maximum possible score (typically 100). + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed maximum value from a scoring system. range: integer - slot_uri: hc:maxLikelihoodScore + slot_uri: sosa:hasSimpleResult diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/museum_search_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/museum_search_score.yaml index b2d40ddb5d..08ed01b536 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/museum_search_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/museum_search_score.yaml @@ -12,6 +12,8 @@ title: Museum Search Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: museum_search_score: - slot_uri: hc:museumSearchScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for museum and gallery queries + description: >- + Specificity score for museum and gallery queries. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/music_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/music_confidence.yaml index c46e8ad250..8bb28c547a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/music_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/music_confidence.yaml @@ -4,6 +4,8 @@ title: Music Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -14,6 +16,14 @@ slots: Average confidence across all music segments. + + **Ontology mapping**: Uses sosa:hasSimpleResult because music detection + models act as sensors producing observation results. + ' range: float - slot_uri: hc:musicConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/music_segment_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/music_segment_confidence.yaml index 5027b85607..a7668af846 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/music_segment_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/music_segment_confidence.yaml @@ -4,11 +4,21 @@ title: Music Segment Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: music_segment_confidence: - description: Music detection confidence (0.0-1.0) + description: >- + Music detection confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because music segment + detection models act as sensors producing observation results. range: float - slot_uri: hc:musicSegmentConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/notary_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/notary_name.yaml index 3014ed0fc4..8c21107584 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/notary_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/notary_name.yaml @@ -4,19 +4,19 @@ title: Notary Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: notary_name: - description: 'Name of the notary who executed the deed. - - + description: >- + Name of the notary who executed the deed. + + Ontology mapping: foaf:name is the FOAF property for a person's name. Required for notarial deeds (Dutch stichting, BV, etc.). - - - **PROV-O**: prov:wasAttributedTo for attribution. - - ' range: string - slot_uri: hc:notaryName + slot_uri: foaf:name + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/object_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/object_confidence.yaml index 9d5c9a3a34..ceac6aa696 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/object_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/object_confidence.yaml @@ -4,11 +4,21 @@ title: Object Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: object_confidence: - description: Detection confidence (0.0-1.0) + description: >- + Detection confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because object detection + models act as sensors producing observation results. range: float - slot_uri: hc:objectConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/object_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/object_label.yaml index 21a36a7c68..ca6678a1af 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/object_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/object_label.yaml @@ -4,11 +4,18 @@ title: Object Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + rdfs: http://www.w3.org/2000/01/rdf-schema# + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: object_label: - description: Object class label (e.g., "painting", "sculpture") + description: >- + Object class label (e.g., "painting", "sculpture"). + + Maps to rdfs:label as a human-readable label for the object type classification. range: string - slot_uri: hc:objectLabel + slot_uri: rdfs:label + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/observation_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/observation_id.yaml index 63205c4fde..e263ed85fa 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/observation_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/observation_id.yaml @@ -4,6 +4,9 @@ title: Observation Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ + sosa: http://www.w3.org/ns/sosa/ imports: - linkml:types default_prefix: hc @@ -11,5 +14,9 @@ slots: observation_id: identifier: true range: uriorcurie - description: Unique identifier for this web observation - slot_uri: hc:observationId + description: 'Unique identifier for this web observation. Mapped to dcterms:identifier + as the standard property for resource identifiers.' + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier + - sosa:observationId diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/observation_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/observation_note.yaml index dce4896950..4e59082669 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/observation_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/observation_note.yaml @@ -4,24 +4,24 @@ title: Observation Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: observation_note: - description: 'Free-text notes documenting the observation. - + description: >- + Free-text notes documenting the observation. + + Maps to skos:note for observational documentation. Include: - - What was observed - - Context of the observation - - Specific concerns or findings - - Recommendations if any - - ' range: string - slot_uri: hc:observationNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/observer_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/observer_name.yaml index 663a5b1b8a..873ad44ce8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/observer_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/observer_name.yaml @@ -4,16 +4,19 @@ title: Observer Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + foaf: http://xmlns.com/foaf/0.1/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: observer_name: - description: 'Name of the individual or team who made this observation. - - + description: >- + Name of the individual or team who made this observation. + + Ontology mapping: foaf:name is the FOAF property for a person's name. May be anonymized for whistleblowers or confidential sources. - - ' range: string - slot_uri: hc:observerName + slot_uri: foaf:name + close_mappings: + - prov:wasAttributedTo diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/organization_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/organization_name.yaml index d5e9935409..91c0b4f67d 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/organization_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/organization_name.yaml @@ -4,15 +4,20 @@ title: Organization Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: organization_name: range: string - slot_uri: hc:organizationName - description: 'Official name of the encompassing organization. - - SKOS: prefLabel for preferred label. - - ' + slot_uri: skos:prefLabel + description: >- + Official name of the encompassing organization. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Organization names are the primary + way humans identify and refer to organizations. + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/organizational_change_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/organizational_change_score.yaml index d1990a6316..d53eba675f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/organizational_change_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/organizational_change_score.yaml @@ -12,6 +12,8 @@ title: Organizational Change Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: organizational_change_score: - slot_uri: hc:organizationalChangeScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for change event queries + description: >- + Specificity score for change event queries. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/overall_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/overall_confidence.yaml index de8f93c299..b66b2d0e02 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/overall_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/overall_confidence.yaml @@ -4,16 +4,15 @@ title: Overall Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ - dcterms: http://purl.org/dc/terms/ - schema: http://schema.org/ - skos: http://www.w3.org/2004/02/skos/core# + sosa: http://www.w3.org/ns/sosa/ prov: http://www.w3.org/ns/prov# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: overall_confidence: - slot_uri: hc:overallConfidence + slot_uri: sosa:hasSimpleResult description: 'Overall confidence score for the generated content. @@ -35,5 +34,15 @@ slots: - < 0.6: Low quality, needs significant correction + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is an + aggregated observation result from AI/ML models acting as sensors. + ' - range: string + range: float + minimum_value: 0.0 + maximum_value: 1.0 + close_mappings: + - prov:value + related_mappings: + - schema:ratingValue diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/page_title.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/page_title.yaml index b5141f6d74..84b9301294 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/page_title.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/page_title.yaml @@ -4,11 +4,19 @@ title: Page Title Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: page_title: range: string - description: Title of the web page as retrieved - slot_uri: hc:pageTitle + description: >- + Title of the web page as retrieved. + + Ontology mapping: dcterms:title is the Dublin Core property for + the name given to a resource, applicable to web pages. + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/parent_chapter_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/parent_chapter_id.yaml index c8086f6235..4d6db62be6 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/parent_chapter_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/parent_chapter_id.yaml @@ -4,13 +4,17 @@ title: parent_chapter_id slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: parent_chapter_id: - description: "Reference to parent chapter for hierarchical chapters.\n\nDublin Core: isPartOf for containment relationship.\n\ - \nEnables nested chapter structure:\n```\nChapter 1: Dutch Masters\n └─ 1.1: Rembrandt\n └─ 1.2: Vermeer\n```\n\n\ - null/empty for top-level chapters.\n" + description: "Reference to parent chapter for hierarchical chapters. Mapped to dcterms:isPartOf\ + \ as the standard property for containment relationships.\n\nEnables nested chapter structure:\n```\nChapter 1: Dutch Masters\n\ + \ └─ 1.1: Rembrandt\n └─ 1.2: Vermeer\n```\n\nnull/empty for top-level chapters.\n" range: string - slot_uri: hc:parentChapterId + slot_uri: dcterms:isPartOf + close_mappings: + - schema:isPartOf diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/performance_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/performance_note.yaml index fc37b8fe17..145dfd2f0c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/performance_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/performance_note.yaml @@ -4,16 +4,19 @@ title: Performance Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: performance_note: - description: 'Additional notes about this performance. - - + description: >- + Additional notes about this performance. Can include reception, notable moments, or contextual information. - - ' + + Maps to skos:note for performance documentation. range: string - slot_uri: hc:performanceNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/person_research_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/person_research_score.yaml index cb08536443..2cbe025da3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/person_research_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/person_research_score.yaml @@ -12,6 +12,8 @@ title: Person Research Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,8 +22,15 @@ imports: slots: person_research_score: - slot_uri: hc:personResearchScore + slot_uri: sosa:hasSimpleResult range: float minimum_value: 0.0 maximum_value: 1.0 - description: Specificity score for staff and personnel queries + description: >- + Specificity score for staff and personnel queries. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed relevance score from search/retrieval algorithms acting as + observation systems. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/person_xpath_match_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/person_xpath_match_score.yaml index 10ef6c533d..72889c447e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/person_xpath_match_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/person_xpath_match_score.yaml @@ -3,9 +3,11 @@ name: person_xpath_match_score prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# slots: person_xpath_match_score: - slot_uri: hc:xpathMatchScore + slot_uri: sosa:hasSimpleResult range: float required: false minimum_value: 0.0 @@ -17,3 +19,8 @@ slots: - 0.8-0.99 = Near match after normalization - 0.5-0.79 = Substring match - <0.5 = Weak match (needs review) + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from XPath matching algorithms. + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/place_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/place_description.yaml index 997b1afc0f..7659c2ff09 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/place_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/place_description.yaml @@ -4,24 +4,24 @@ title: Place Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: place_description: - description: 'Free-text description of this auxiliary place. - + description: >- + Free-text description of this auxiliary place. + + Maps to dcterms:description for location descriptions. Include: - - Purpose of this location - - What collections/functions are housed here - - Access information (public/staff only) - - Historical context - - ' range: string - slot_uri: hc:placeDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/platform_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/platform_description.yaml index 32518d8651..94b2aa6e24 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/platform_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/platform_description.yaml @@ -4,27 +4,24 @@ title: Platform Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: platform_description: - description: 'Detailed description of this auxiliary platform. - - - Dublin Core: abstract for longer description. - + description: >- + Detailed description of this auxiliary platform. + + Maps to dcterms:description (aligns with Dublin Core abstract for longer descriptions). Include: - - Full functionality description - - Target audience - - Technical requirements - - Relationship to main platform - - ' range: string - slot_uri: hc:platformDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/platform_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/platform_id.yaml index cac7470f16..707ba4d08f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/platform_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/platform_id.yaml @@ -4,15 +4,20 @@ title: Platform Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: platform_id: - description: 'Unique identifier for this digital platform instance. + description: 'Unique identifier for this digital platform instance. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:platformId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/platform_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/platform_url.yaml index 5a5c336f8d..22e8c04923 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/platform_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/platform_url.yaml @@ -4,19 +4,21 @@ title: Platform Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: platform_url: - description: 'URL of this auxiliary digital platform. - - - FOAF: homepage for web address. + description: 'URL of this auxiliary digital platform. Mapped to schema:url + as the standard property for web addresses. This is the entry point URL for the platform. ' range: uri - slot_uri: hc:platformUrl + slot_uri: schema:url + close_mappings: + - foaf:homepage diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/policy_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/policy_description.yaml index 42918546da..9fed3c8c7c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/policy_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/policy_description.yaml @@ -4,15 +4,19 @@ title: Policy Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: policy_description: - description: 'Full description of the policy including rationale, scope, - + description: >- + Full description of the policy including rationale, scope, and any special considerations. - - ' + + Maps to dcterms:description for policy document descriptions. range: string - slot_uri: hc:policyDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/portal_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/portal_description.yaml index e8f7adebaf..857e879d2f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/portal_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/portal_description.yaml @@ -4,13 +4,18 @@ title: Portal Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: portal_description: range: string - description: 'Description of the portal''s purpose, scope, and target audience. - - ' - slot_uri: hc:portalDescription + description: >- + Description of the portal's purpose, scope, and target audience. + + Maps to dcterms:description for web portal descriptions. + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/portal_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/portal_id.yaml index a01521d4c1..94cfd72b0f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/portal_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/portal_id.yaml @@ -4,6 +4,8 @@ title: Portal Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -11,9 +13,12 @@ slots: portal_id: identifier: true range: uriorcurie - description: 'Unique identifier for this web portal. + description: 'Unique identifier for this web portal. Mapped to dcterms:identifier + as the standard property for resource identifiers. Format: https://nde.nl/ontology/hc/portal/{scope}/{slug} ' - slot_uri: hc:portalId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/portal_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/portal_name.yaml index e90ea80472..36dfa86e01 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/portal_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/portal_name.yaml @@ -4,13 +4,19 @@ title: Portal Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: portal_name: range: string - description: 'Official name of the web portal. - - ' - slot_uri: hc:portalName + description: >- + Official name of the web portal. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/portal_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/portal_url.yaml index 37abd09bc9..5e55fb2953 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/portal_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/portal_url.yaml @@ -4,13 +4,18 @@ title: Portal Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: portal_url: range: uri - description: 'Primary URL of the portal. + description: 'Primary URL of the portal. Mapped to schema:url as the standard + property for web addresses of resources. ' - slot_uri: hc:portalUrl + slot_uri: schema:url + close_mappings: + - foaf:homepage diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/post_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/post_id.yaml index 9957622084..76da0ab540 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/post_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/post_id.yaml @@ -4,12 +4,15 @@ title: Post Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: post_id: - description: 'Unique identifier for this post. + description: 'Unique identifier for this post. Mapped to dcterms:identifier + as the standard property for resource identifiers. Format varies by platform: @@ -25,4 +28,6 @@ slots: ' range: string - slot_uri: hc:postId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/post_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/post_url.yaml index 1abdcf26e0..4db25fb64f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/post_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/post_url.yaml @@ -4,12 +4,15 @@ title: Post Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: post_url: - description: 'Canonical URL to access this post on its native platform. + description: 'Canonical URL to access this post on its native platform. Mapped to + schema:url as the standard property for web addresses. URL patterns by platform: @@ -24,4 +27,6 @@ slots: ' range: uri - slot_uri: hc:postUrl + slot_uri: schema:url + close_mappings: + - foaf:page diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/profile_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/profile_description.yaml index 7c8f57ce41..88616bb080 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/profile_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/profile_description.yaml @@ -4,19 +4,19 @@ title: Profile Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: profile_description: - description: 'Bio or description text from the social media profile. - - - Dublin Core: description for profile text. - - - Extracted from the platform''s bio/about section. - - ' + description: >- + Bio or description text from the social media profile. + Extracted from the platform's bio/about section. + + Maps to dcterms:description for profile text descriptions. range: string - slot_uri: hc:profileDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/profile_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/profile_name.yaml index 809e519e93..63ff83ab6a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/profile_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/profile_name.yaml @@ -4,13 +4,18 @@ title: Profile Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + foaf: http://xmlns.com/foaf/0.1/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: profile_name: - description: 'Full name of the person as displayed on LinkedIn. - - ' + description: >- + Full name of the person as displayed on LinkedIn. + + Ontology mapping: foaf:name is the FOAF property for a person's name. range: string - slot_uri: hc:profileName + slot_uri: foaf:name + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/profile_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/profile_url.yaml index 5cb665a088..c49ebe07f9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/profile_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/profile_url.yaml @@ -4,15 +4,15 @@ title: Profile Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: profile_url: - description: 'Full URL to the social media profile. - - - FOAF: homepage for the account''s web address. + description: 'Full URL to the social media profile. Mapped to schema:url as the + standard property for web addresses. This is the canonical URL for accessing the profile. @@ -32,4 +32,7 @@ slots: ' range: uri - slot_uri: hc:profileUrl + slot_uri: schema:url + close_mappings: + - foaf:homepage + - foaf:page diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/project_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/project_description.yaml index c783426546..fd1eb9e831 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/project_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/project_description.yaml @@ -4,21 +4,22 @@ title: Project Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: project_description: range: string - description: 'Detailed description of the project including: - + description: >- + Detailed description of the project including: - Background and motivation - - Approach and methodology - - Expected impact and outcomes - - Target audience or beneficiaries - - ' - slot_uri: hc:projectDescription + + Maps to dcterms:description for project descriptions. + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/project_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/project_id.yaml index 88dda89e68..fc76fda495 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/project_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/project_id.yaml @@ -4,6 +4,8 @@ title: Project Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -11,9 +13,12 @@ slots: project_id: identifier: true range: uriorcurie - description: 'Unique identifier for this project. + description: 'Unique identifier for this project. Mapped to dcterms:identifier + as the standard property for resource identifiers. Format: https://nde.nl/ontology/hc/project/{organizing-body-slug}/{project-slug} ' - slot_uri: hc:projectId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/project_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/project_name.yaml index f656643f1c..e3c8976d2e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/project_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/project_name.yaml @@ -4,15 +4,19 @@ title: Project Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: project_name: range: string - description: 'Official name of the project. - - Should be human-readable and descriptive. - - ' - slot_uri: hc:projectName + description: >- + Official name of the project. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Should be human-readable and descriptive. + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/project_short_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/project_short_name.yaml index dc29e1d2fc..52814bb5e9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/project_short_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/project_short_name.yaml @@ -4,15 +4,17 @@ title: Project Short Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: project_short_name: range: string - description: 'Short name or acronym for the project. - + description: >- + Short name or acronym for the project. + + Ontology mapping: skos:altLabel is the standard SKOS property for + alternative labels including abbreviations and acronyms. Used in internal communications or brief references. - - ' - slot_uri: hc:projectShortName + slot_uri: skos:altLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/project_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/project_url.yaml index 61acbc8b19..0d94d23b2c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/project_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/project_url.yaml @@ -4,15 +4,20 @@ title: Project Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: project_url: range: uri - description: 'Official project website or landing page. + description: 'Official project website or landing page. Mapped to schema:url + as the standard property for web addresses. Should link to public project information. ' - slot_uri: hc:projectUrl + slot_uri: schema:url + close_mappings: + - foaf:homepage diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/publication_series_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/publication_series_name.yaml index 4cf3e4c08d..e64a9b932e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/publication_series_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/publication_series_name.yaml @@ -4,13 +4,19 @@ title: Publication Series Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: publication_series_name: - description: 'Name of publication series if applicable. - - ' + description: >- + Name of publication series if applicable. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:publicationSeriesName + slot_uri: skos:prefLabel + close_mappings: + - dcterms:title diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/recognized_person_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/recognized_person_name.yaml index 1f10906b14..e57992d9ae 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/recognized_person_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/recognized_person_name.yaml @@ -4,11 +4,18 @@ title: Recognized Person Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + foaf: http://xmlns.com/foaf/0.1/ + rdfs: http://www.w3.org/2000/01/rdf-schema# imports: - linkml:types default_prefix: hc slots: recognized_person_name: - description: Name of recognized person + description: >- + Name of recognized person from computer vision face detection. + + Ontology mapping: foaf:name is the FOAF property for a person's name. range: string - slot_uri: hc:recognizedPersonName + slot_uri: foaf:name + close_mappings: + - rdfs:label diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/recording_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/recording_url.yaml index 80d39f9ccc..d0e70299a3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/recording_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/recording_url.yaml @@ -4,14 +4,18 @@ title: Recording Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: recording_url: - description: 'Links to recordings of this performance (audio, video). + description: 'Links to recordings of this performance (audio, video). Mapped to + schema:url as the standard property for web addresses of media resources. ' range: uri multivalued: true - slot_uri: hc:recordingUrl + slot_uri: schema:url + close_mappings: + - schema:contentUrl diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/region_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/region_confidence.yaml index 983787cab4..199db26231 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/region_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/region_confidence.yaml @@ -4,11 +4,21 @@ title: Region Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: region_confidence: - description: OCR confidence (0.0-1.0) + description: >- + OCR confidence (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because OCR models act + as sensors producing observation results. range: float - slot_uri: hc:regionConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/remediation_note.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/remediation_note.yaml index 59e3db8c27..8b623fb6c9 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/remediation_note.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/remediation_note.yaml @@ -4,13 +4,18 @@ title: Remediation Notes Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: remediation_note: - description: 'Notes on required or recommended remediation actions. - - ' + description: >- + Notes on required or recommended remediation actions. + + Maps to skos:note for action/recommendation documentation. range: string - slot_uri: hc:remediationNotes + slot_uri: skos:note + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/repository_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/repository_url.yaml index 14cf44c80c..d926c156e6 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/repository_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/repository_url.yaml @@ -4,19 +4,21 @@ title: Repository Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + doap: http://usefulinc.com/ns/doap# imports: - linkml:types default_prefix: hc slots: repository_url: - description: 'Source code repository URL (for open-source CMS). - - - DOAP: repository for source code location. + description: 'Source code repository URL (for open-source CMS). Mapped to + schema:codeRepository as the specific Schema.org property for source code locations. Typically GitHub, GitLab, or similar. ' range: uri - slot_uri: hc:repositoryUrl + slot_uri: schema:codeRepository + close_mappings: + - doap:repository diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/research_center_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/research_center_description.yaml index e376a13763..16eec8b02e 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/research_center_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/research_center_description.yaml @@ -4,24 +4,24 @@ title: Research Center Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: research_center_description: - description: 'Free-text description of this research center. - + description: >- + Free-text description of this research center. + + Maps to dcterms:description for research facility descriptions. Include: - - Research mission and focus - - Key programs and projects - - Notable achievements - - Collaboration opportunities - - ' range: string - slot_uri: hc:researchCenterDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/research_center_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/research_center_name.yaml index 7eb5307c88..2b1d2af227 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/research_center_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/research_center_name.yaml @@ -4,16 +4,19 @@ title: Research Center Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: research_center_name: - description: 'Name of this research center. - - - SKOS: prefLabel for preferred name. - - ' + description: >- + Name of this research center. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:researchCenterName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_description.yaml index 9a94bae3fa..a221a2f588 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_description.yaml @@ -4,15 +4,19 @@ title: Scheme Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: scheme_description: range: string - description: 'Description of the scheme including purpose, requirements, and process. - + description: >- + Description of the scheme including purpose, requirements, and process. Extract from institutional website or promotional materials. - - ' - slot_uri: hc:schemeDescription + + Maps to dcterms:description for scheme/program descriptions. + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_id.yaml index 05e1d7fa8e..0a92e52d4d 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_id.yaml @@ -4,6 +4,8 @@ title: Scheme Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -11,9 +13,12 @@ slots: scheme_id: identifier: true range: uriorcurie - description: 'Unique identifier for this donation scheme. + description: 'Unique identifier for this donation scheme. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: https://nde.nl/ontology/hc/donation-scheme/{custodian-slug}/{scheme-slug} ' - slot_uri: hc:schemeId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_name.yaml index 3840a3c54a..bddd609dba 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_name.yaml @@ -4,15 +4,20 @@ title: Scheme Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: scheme_name: range: string - description: 'Human-readable name of the donation scheme as presented by institution. - + description: >- + Human-readable name of the donation scheme as presented by institution. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Preserve original language and branding. - - ' - slot_uri: hc:schemeName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_url.yaml index 17860c42d3..bda99fc572 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/scheme_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/scheme_url.yaml @@ -4,15 +4,20 @@ title: Scheme Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: scheme_url: range: uri - description: 'URL to the donation scheme webpage on institutional website. + description: 'URL to the donation scheme webpage on institutional website. Mapped to + schema:url as the standard property for web addresses. Primary source for extraction and verification. ' - slot_uri: hc:schemeUrl + slot_uri: schema:url + close_mappings: + - foaf:page diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/segment_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/segment_confidence.yaml index 6c9643ad38..ec898b60d8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/segment_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/segment_confidence.yaml @@ -4,11 +4,21 @@ title: Segment Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc slots: segment_confidence: - description: Confidence score for this segment (0.0-1.0) + description: >- + Confidence score for this segment (0.0-1.0). + + **Ontology mapping**: Uses sosa:hasSimpleResult because segmentation + models act as sensors producing observation results. range: float - slot_uri: hc:segmentConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/shop_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/shop_description.yaml index 687d824b41..7ac3df4a99 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/shop_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/shop_description.yaml @@ -4,24 +4,24 @@ title: Shop Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: shop_description: - description: 'Detailed description of this gift shop. - + description: >- + Detailed description of this gift shop. + + Maps to dcterms:description for retail facility descriptions. Include: - - Retail concept and positioning - - Relationship to museum/archive mission - - Notable products or exclusives - - Awards or recognition - - ' range: string - slot_uri: hc:shopDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/shop_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/shop_name.yaml index 2eef86ffe7..39800496f8 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/shop_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/shop_name.yaml @@ -4,27 +4,25 @@ title: Shop Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: shop_name: - description: 'Human-readable name for this gift shop. - - - Schema.org: name for store name. - + description: >- + Human-readable name for this gift shop. + + Ontology mapping: schema:name is the Schema.org property for the + name of an item. Examples: - - "Rijksmuseum Shop" - - "British Library Bookshop" - - "MoMA Design Store" - - "National Archives Publications" - - ' range: string - slot_uri: hc:shopName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/speaker_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/speaker_id.yaml index a56c9d91d9..d3c67b2329 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/speaker_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/speaker_id.yaml @@ -4,12 +4,15 @@ title: Speaker Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: speaker_id: - description: 'Identifier for the speaker during this segment. + description: 'Identifier for the speaker during this segment. Mapped to dcterms:identifier + as the standard property for resource identifiers. For transcripts with speaker diarization: @@ -23,4 +26,6 @@ slots: ' range: string - slot_uri: hc:speakerId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/speaker_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/speaker_label.yaml index 4690b3e153..0d9801367b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/speaker_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/speaker_label.yaml @@ -4,23 +4,22 @@ title: Speaker Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + rdfs: http://www.w3.org/2000/01/rdf-schema# + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: speaker_label: - description: 'Human-readable label for the speaker. - - - Display name for the speaker during this segment: - - - May be generic ("Narrator", "Interviewer") - - - May be specific ("Dr. Taco Dibbits, Museum Director") - - + description: >- + Human-readable label for the speaker. + + Maps to rdfs:label as a display name for the speaker during this segment. Distinguished from speaker_id which is a machine identifier. - ' + - May be generic ("Narrator", "Interviewer") + - May be specific ("Dr. Taco Dibbits, Museum Director") range: string - slot_uri: hc:speakerLabel + slot_uri: rdfs:label + close_mappings: + - foaf:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/specificity_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/specificity_score.yaml index b31090ffd7..bff1663498 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/specificity_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/specificity_score.yaml @@ -12,6 +12,8 @@ title: Specificity Score Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# default_prefix: hc @@ -20,7 +22,7 @@ imports: slots: specificity_score: - slot_uri: hc:specificityScore + slot_uri: sosa:hasSimpleResult description: | Specificity score for RAG retrieval filtering (0.0-1.0). LOWER scores = more broadly relevant; HIGHER scores = more specific. @@ -31,9 +33,14 @@ slots: - 0.40-0.60: Moderately specific (ChangeEvent, PersonProfile) - 0.60-0.80: Fairly specific (Archive, Museum, Library) - 0.80-1.00: Highly specific (LinkedInConnectionExtraction) + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from RAG relevance algorithms. range: float minimum_value: 0.0 maximum_value: 1.0 + close_mappings: + - prov:value examples: - value: 0.5 description: "Moderately specific class" diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/speech_language_confidence.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/speech_language_confidence.yaml index cfb21adfaf..02b56466b3 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/speech_language_confidence.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/speech_language_confidence.yaml @@ -4,6 +4,8 @@ title: Speech Language Confidence Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -29,6 +31,14 @@ slots: - Code-switching + + **Ontology mapping**: Uses sosa:hasSimpleResult because language detection + models act as sensors producing observation results. + ' range: float - slot_uri: hc:speechLanguageConfidence + minimum_value: 0.0 + maximum_value: 1.0 + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/statement_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/statement_description.yaml index c3be969405..481e843989 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/statement_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/statement_description.yaml @@ -4,13 +4,18 @@ title: Statement Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: statement_description: - description: 'Narrative description of statement scope and key highlights. - - ' + description: >- + Narrative description of statement scope and key highlights. + + Maps to dcterms:description for financial statement descriptions. range: string - slot_uri: hc:statementDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/statement_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/statement_id.yaml index cf008b6ca5..072bd585df 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/statement_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/statement_id.yaml @@ -5,6 +5,8 @@ version: 1.0.0 prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -12,5 +14,8 @@ slots: statement_id: identifier: true range: uriorcurie - description: Unique identifier for this mission statement record - slot_uri: hc:statementId + description: 'Unique identifier for this mission statement record. Mapped to + dcterms:identifier as the standard property for resource identifiers.' + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/statement_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/statement_name.yaml index 94f6afb47e..eb64066fc2 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/statement_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/statement_name.yaml @@ -4,22 +4,23 @@ title: Statement Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: statement_name: - description: 'Name/title for this financial statement. - + description: >- + Name/title for this financial statement. + + Maps to dcterms:title as a formal title for a document resource. **Examples**: - - "Rijksmuseum Annual Report 2023" - - "Wallace Collection Form 990 FY2023" - - "Noord-Hollands Archief Audited Financial Statements 2023" - - ' range: string - slot_uri: hc:statementName + slot_uri: dcterms:title + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_description.yaml index f63ff7ce3d..102a1a32cc 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_description.yaml @@ -4,26 +4,25 @@ title: Storage Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: storage_description: - description: 'Free-text description of the storage facility. - + description: >- + Free-text description of the storage facility. + + Maps to dcterms:description for storage facility descriptions. Include: - - Purpose and function - - Types of materials stored - - Special features or equipment - - Access restrictions - - Historical context - - ' range: string - slot_uri: hc:storageDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_id.yaml index 8a9464b456..081e65ef80 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_id.yaml @@ -4,15 +4,20 @@ title: Storage Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: storage_id: - description: 'Unique identifier for this storage facility. + description: 'Unique identifier for this storage facility. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:storageId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_name.yaml index f4d258ae9c..049104f998 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_name.yaml @@ -4,16 +4,20 @@ title: Storage Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + crm: http://www.cidoc-crm.org/cidoc-crm/ imports: - linkml:types default_prefix: hc slots: storage_name: - description: 'Human-readable name for this storage facility. - - - CIDOC-CRM: P87_is_identified_by links place to appellation. - - ' + description: >- + Human-readable name for this storage facility. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. CIDOC-CRM P87_is_identified_by + links place to appellation. range: string - slot_uri: hc:storageName + slot_uri: skos:prefLabel + close_mappings: + - crm:P87_is_identified_by diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_description.yaml index f5d341084b..c18e2a3b47 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_description.yaml @@ -4,27 +4,24 @@ title: Storage Type Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: storage_type_description: - description: 'Detailed description of this storage type. - + description: >- + Detailed description of this storage type. + + Maps to skos:definition for formal type definitions. Include: - - Purpose and function - - Typical contents/materials - - Key characteristics - - Historical/domain context - - - SKOS: definition for formal description. - - ' range: string - slot_uri: hc:storageTypeDescription + slot_uri: skos:definition + close_mappings: + - dcterms:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_id.yaml index 5264ae9378..b970ef66ae 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_id.yaml @@ -4,15 +4,20 @@ title: Storage Type Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: storage_type_id: - description: 'Unique identifier for this storage type. + description: 'Unique identifier for this storage type. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:storageTypeId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_label.yaml index dd5817b1d0..97663dbc5d 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/storage_type_label.yaml @@ -4,16 +4,18 @@ title: Storage Type Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + rdfs: http://www.w3.org/2000/01/rdf-schema# imports: - linkml:types default_prefix: hc slots: storage_type_label: - description: 'Human-readable label for this storage type. - - - SKOS: prefLabel for preferred lexical label. - - ' + description: >- + Human-readable label for this storage type. + + Maps to skos:prefLabel as the preferred lexical label for a controlled vocabulary term. range: string - slot_uri: hc:storageTypeLabel + slot_uri: skos:prefLabel + close_mappings: + - rdfs:label diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/subdivision_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/subdivision_name.yaml index eb3984adb8..010c93c611 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/subdivision_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/subdivision_name.yaml @@ -4,37 +4,33 @@ title: Subdivision Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: subdivision_name: - description: 'Human-readable name of the subdivision (optional). - + description: >- + Human-readable name of the subdivision (optional). + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. Use this field sparingly. Prefer resolving subdivision names via external - services (GeoNames API) to avoid maintaining multilingual data. - If included, use the official English name or local language name. - Examples: - - "Pennsylvania" (for US-PA) - - "Bali" (for ID-BA) - - "Bayern" or "Bavaria" (for DE-BY) - - "Limburg" (for NL-LI) - Note: This field is for human readability only. Use iso_3166_2_code for - all programmatic matching and validation. - - ' range: string - slot_uri: hc:subdivisionName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/thumbnail_url.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/thumbnail_url.yaml index db0e401146..82627644ee 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/thumbnail_url.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/thumbnail_url.yaml @@ -4,16 +4,18 @@ title: Thumbnail Url Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + foaf: http://xmlns.com/foaf/0.1/ imports: - linkml:types default_prefix: hc slots: thumbnail_url: - description: 'URL to a thumbnail/preview image for the content. - - - Schema.org: thumbnailUrl for preview image. + description: 'URL to a thumbnail/preview image for the content. Mapped to + schema:thumbnailUrl as the specific Schema.org property for preview images. ' range: uri - slot_uri: hc:thumbnailUrl + slot_uri: schema:thumbnailUrl + close_mappings: + - foaf:thumbnail diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/track_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/track_id.yaml index 99e32ba3e7..5f3416cc10 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/track_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/track_id.yaml @@ -4,19 +4,21 @@ title: track_id slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: track_id: - description: 'Platform-specific identifier for this subtitle track. - - - Dublin Core: identifier for unique ID. + description: 'Platform-specific identifier for this subtitle track. Mapped to + dcterms:identifier as the standard property for unique identification. Used to fetch/update specific tracks via API. ' range: string - slot_uri: hc:trackId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/track_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/track_name.yaml index bd5704d32a..dea6f0ed67 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/track_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/track_name.yaml @@ -4,27 +4,25 @@ title: track_name slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: track_name: - description: 'Human-readable name of the subtitle track. - - - Schema.org: name for track label. - + description: >- + Human-readable name of the subtitle track. + + Ontology mapping: schema:name is the Schema.org property for the + name of an item. Examples from YouTube: - - "English" - - "English (auto-generated)" - - "Dutch - Nederlands" - - "English (United Kingdom)" - - ' range: string - slot_uri: hc:trackName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/type_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/type_description.yaml index 3cdff6c1c4..1afa711f3c 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/type_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/type_description.yaml @@ -4,18 +4,20 @@ title: Type Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + dcterms: http://purl.org/dc/terms/ imports: - linkml:types default_prefix: hc slots: type_description: range: string - slot_uri: hc:typeDescription - description: 'A textual definition explaining what this custodian type represents. - - SKOS: definition provides semantic clarification of the concept. - + slot_uri: skos:definition + close_mappings: + - dcterms:description + description: >- + A textual definition explaining what this custodian type represents. + + Maps to skos:definition for semantic clarification of concepts. Example: "institution that preserves and provides access to historical documents" - - ' diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/type_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/type_id.yaml index ccd09620f3..bf8fcc6eb4 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/type_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/type_id.yaml @@ -4,14 +4,19 @@ title: Type Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: type_id: range: uriorcurie - slot_uri: hc:typeId - description: 'Unique identifier for this custodian type instance. + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier + description: 'Unique identifier for this custodian type instance. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: https://nde.nl/ontology/hc/type/{category}/{wikidata-id} diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/type_label.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/type_label.yaml index 95b9e3e847..2253a0d68f 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/type_label.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/type_label.yaml @@ -4,20 +4,21 @@ title: Type Label Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + rdfs: http://www.w3.org/2000/01/rdf-schema# imports: - linkml:types default_prefix: hc slots: type_label: range: string - slot_uri: hc:typeLabel - description: 'The preferred multilingual label for this custodian type. - - SKOS: prefLabel supports language tags (e.g., "Museum"@en, "museum"@nl). - + slot_uri: skos:prefLabel + close_mappings: + - rdfs:label + description: >- + The preferred multilingual label for this custodian type. + + Maps to skos:prefLabel which supports language tags (e.g., "Museum"@en, "museum"@nl). Primary language: English (en) - Secondary: Dutch (nl), German (de), French (fr), Spanish (es), etc. - - ' diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/unit_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/unit_description.yaml index 40fdf15500..96bc0e7e7b 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/unit_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/unit_description.yaml @@ -4,22 +4,23 @@ title: Unit Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: unit_description: - description: 'Free-text description of this storage unit. - + description: >- + Free-text description of this storage unit. + + Maps to dcterms:description for storage unit descriptions. Include: - - Contents or purpose - - Special handling requirements - - Access restrictions - - ' range: string - slot_uri: hc:unitDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/vendor_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/vendor_name.yaml index aafffe8388..6be0b77f5a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/vendor_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/vendor_name.yaml @@ -4,31 +4,27 @@ title: Vendor Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ + skos: http://www.w3.org/2004/02/skos/core# imports: - linkml:types default_prefix: hc slots: vendor_name: - description: 'Organization that develops/maintains this CMS. - - - Schema.org: creator for software creator organization. - + description: >- + Organization that develops/maintains this CMS. + + Ontology mapping: schema:name is the Schema.org property for the + name of an organization. Examples: - - "Whirl-i-Gig" (CollectiveAccess) - - "Zetcom AG" (MuseumPlus) - - "Axiell" (Adlib, Calm, Collections) - - "Gallery Systems" (TMS, eMuseum) - - "Lyrasis" (ArchivesSpace, DSpace) - - "OCLC" (WorldShare, CONTENTdm) - - ' range: string - slot_uri: hc:vendorName + slot_uri: schema:name + close_mappings: + - skos:prefLabel diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/video_comment.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/video_comment.yaml index f01091f130..07c94928e6 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/video_comment.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/video_comment.yaml @@ -13,15 +13,14 @@ imports: default_prefix: hc slots: video_comment: - slot_uri: hc:videoComments - description: 'Collection of comments on this video. - - + slot_uri: schema:comment + close_mappings: + - dcterms:description + description: >- + Collection of comments on this video. Structured comment data with author, text, timestamp, likes. - - + + Maps to schema:comment for user-generated comments. Note: Comments may contain nested replies. - - ' range: string multivalued: true diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/video_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/video_id.yaml index df20667ec2..1b3d5d91d4 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/video_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/video_id.yaml @@ -4,11 +4,16 @@ title: video_id slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: video_id: - description: Reference to the parent video + description: 'Reference to the parent video. Mapped to dcterms:identifier as + the standard property for resource identifiers.' range: string - slot_uri: hc:videoId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/visitor_conversion_rate.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/visitor_conversion_rate.yaml index 27d3f06973..931bf2f2f7 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/visitor_conversion_rate.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/visitor_conversion_rate.yaml @@ -4,6 +4,7 @@ title: Visitor Conversion Rate Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc @@ -21,6 +22,10 @@ slots: Expressed as decimal (0.25 = 25%). + + **Ontology mapping**: Uses schema:interactionStatistic because this is + a visitor/user interaction metric measuring conversion behavior. + ' range: float - slot_uri: hc:visitorConversionRate + slot_uri: schema:interactionStatistic diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/xpath_match_score.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/xpath_match_score.yaml index ed76a41882..f8a1074229 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/xpath_match_score.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/xpath_match_score.yaml @@ -4,6 +4,8 @@ title: xpath_match_score slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + sosa: http://www.w3.org/ns/sosa/ + prov: http://www.w3.org/ns/prov# imports: - linkml:types default_prefix: hc @@ -27,5 +29,11 @@ slots: Claims with score < 0.3 should be flagged for manual review. + + **Ontology mapping**: Uses sosa:hasSimpleResult because this is a + computed observation result from XPath matching algorithms. + ' - slot_uri: hc:xpathMatchScore + slot_uri: sosa:hasSimpleResult + close_mappings: + - prov:value diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/zone_description.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/zone_description.yaml index a7c99b0304..c844c7d689 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/zone_description.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/zone_description.yaml @@ -4,22 +4,23 @@ title: Zone Description Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: zone_description: - description: 'Free-text description of this environmental zone. - + description: >- + Free-text description of this environmental zone. + + Maps to dcterms:description for zone/area descriptions. Include: - - Purpose and materials stored - - Special features or equipment - - Access protocols - - ' range: string - slot_uri: hc:zoneDescription + slot_uri: dcterms:description + close_mappings: + - schema:description diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/zone_id.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/zone_id.yaml index 23c75bb2b7..c48c677070 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/zone_id.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/zone_id.yaml @@ -4,15 +4,20 @@ title: Zone Id Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + dcterms: http://purl.org/dc/terms/ + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: zone_id: - description: 'Unique identifier for this environmental zone. + description: 'Unique identifier for this environmental zone. Mapped to + dcterms:identifier as the standard property for resource identifiers. Format: URI following NDE Heritage Custodian ontology conventions. ' range: uriorcurie - slot_uri: hc:zoneId + slot_uri: dcterms:identifier + close_mappings: + - schema:identifier diff --git a/frontend/public/schemas/20251121/linkml/modules/slots/zone_name.yaml b/frontend/public/schemas/20251121/linkml/modules/slots/zone_name.yaml index d19e9f651f..77cc0d298a 100644 --- a/frontend/public/schemas/20251121/linkml/modules/slots/zone_name.yaml +++ b/frontend/public/schemas/20251121/linkml/modules/slots/zone_name.yaml @@ -4,13 +4,19 @@ title: Zone Name Slot prefixes: linkml: https://w3id.org/linkml/ hc: https://nde.nl/ontology/hc/ + skos: http://www.w3.org/2004/02/skos/core# + schema: http://schema.org/ imports: - linkml:types default_prefix: hc slots: zone_name: - description: 'Human-readable name for this environmental zone. - - ' + description: >- + Human-readable name for this environmental zone. + + Ontology mapping: skos:prefLabel is the standard SKOS property for + preferred human-readable labels. range: string - slot_uri: hc:zoneName + slot_uri: skos:prefLabel + close_mappings: + - schema:name diff --git a/frontend/src/App.tsx b/frontend/src/App.tsx index a64fad9365..a8fdb13723 100644 --- a/frontend/src/App.tsx +++ b/frontend/src/App.tsx @@ -53,6 +53,8 @@ const ConversationPage = lazyWithRetry(() => import('./pages/ConversationPage')) const InstitutionBrowserPage = lazyWithRetry(() => import('./pages/InstitutionBrowserPage')); // Entity resolution review page const EntityReviewPage = lazyWithRetry(() => import('./pages/EntityReviewPage')); +// Review login page (separate auth from main app) +const ReviewLoginPage = lazyWithRetry(() => import('./pages/ReviewLoginPage')); import './App.css'; @@ -84,6 +86,12 @@ const router = createBrowserRouter([ element: , errorElement: , }, + { + // Dedicated login for review page (separate credentials) + path: '/review-login', + element: withSuspense(ReviewLoginPage), + errorElement: , + }, // ======================================================================== // PUBLIC ROUTES - No authentication required // These can be embedded in iframes from other domains (e.g., archief.support) diff --git a/frontend/src/lib/ontology/ontology-loader.ts b/frontend/src/lib/ontology/ontology-loader.ts index be326d8a15..2c697f08ae 100644 --- a/frontend/src/lib/ontology/ontology-loader.ts +++ b/frontend/src/lib/ontology/ontology-loader.ts @@ -1043,6 +1043,26 @@ function processSubject( } } +/** + * Resolve a relative URI against a base URI + * Handles relative URIs like "#Concept" with xml:base="http://example.org/ontology" + */ +function resolveUri(uri: string, base: string | null): string { + if (!uri) return uri; + + // Already an absolute URI + if (uri.startsWith('http://') || uri.startsWith('https://')) { + return uri; + } + + // Relative URI starting with # - resolve against base + if (uri.startsWith('#') && base) { + return base + uri; + } + + return uri; +} + /** * Parse RDF/XML format ontology */ @@ -1063,14 +1083,18 @@ function parseRdfXmlOntology(content: string): ParsedOntology { return parseTurtleOntology(content); // Fallback to turtle parser } - // Extract namespace prefixes from root element + // Extract namespace prefixes and xml:base from root element const root = doc.documentElement; + let xmlBase: string | null = null; + for (const attr of Array.from(root.attributes)) { if (attr.name.startsWith('xmlns:')) { const prefix = attr.name.substring(6); prefixes[prefix] = attr.value; } else if (attr.name === 'xmlns') { prefixes[''] = attr.value; + } else if (attr.name === 'xml:base') { + xmlBase = attr.value; } } @@ -1078,8 +1102,11 @@ function parseRdfXmlOntology(content: string): ParsedOntology { // Deduplicate by URI (different query methods may return different Element objects for same URI) const classElementsByUri = new Map(); const collectClassElement = (elem: Element) => { - const uri = elem.getAttribute('rdf:about') || elem.getAttribute('about') || ''; - if (!uri) return; + const rawUri = elem.getAttribute('rdf:about') || elem.getAttribute('about') || ''; + if (!rawUri) return; + + // Resolve relative URIs against xml:base + const uri = resolveUri(rawUri, xmlBase); // Keep the element with more child elements (richer metadata) const existing = classElementsByUri.get(uri); @@ -1111,8 +1138,8 @@ function parseRdfXmlOntology(content: string): ParsedOntology { } } - for (const elem of classElementsByUri.values()) { - const uri = elem.getAttribute('rdf:about') || elem.getAttribute('about') || ''; + for (const [uri, elem] of classElementsByUri.entries()) { + // URI is already resolved from collectClassElement // Collect all labels, comments, descriptions with language tags const labels = getElementTextsWithLang(elem, 'label', NAMESPACES.rdfs); @@ -1159,8 +1186,11 @@ function parseRdfXmlOntology(content: string): ParsedOntology { type PropertyType = 'object' | 'datatype' | 'annotation' | 'unknown'; const propertyElementsByUri = new Map(); const collectPropertyElement = (elem: Element, propType: PropertyType) => { - const uri = elem.getAttribute('rdf:about') || elem.getAttribute('about') || ''; - if (!uri) return; + const rawUri = elem.getAttribute('rdf:about') || elem.getAttribute('about') || ''; + if (!rawUri) return; + + // Resolve relative URIs against xml:base + const uri = resolveUri(rawUri, xmlBase); // Keep the element with more child elements (richer metadata) const existing = propertyElementsByUri.get(uri); diff --git a/frontend/src/pages/EntityReviewPage.css b/frontend/src/pages/EntityReviewPage.css index b67b53b831..4e51d4660b 100644 --- a/frontend/src/pages/EntityReviewPage.css +++ b/frontend/src/pages/EntityReviewPage.css @@ -25,6 +25,20 @@ border-bottom: 1px solid var(--border-color, #e0e0e0); } +.review-header.compact { + padding: 0.5rem 1rem; +} + +.review-header.compact .header-content h1 { + font-size: 1.125rem; +} + +.header-actions { + display: flex; + align-items: center; + gap: 0.5rem; +} + .dark .review-header { background: var(--bg-primary, #16213e); border-bottom-color: var(--border-color, #2a2a4a); @@ -75,6 +89,111 @@ cursor: not-allowed; } +.filter-btn, +.logout-btn { + display: flex; + align-items: center; + justify-content: center; + width: 32px; + height: 32px; + border: none; + border-radius: 6px; + background: var(--bg-secondary, #f5f5f5); + color: var(--text-secondary, #666); + cursor: pointer; + transition: all 0.2s; +} + +.filter-btn:hover, +.logout-btn:hover { + background: var(--primary-color, #3b82f6); + color: white; +} + +.filter-btn.active { + background: var(--primary-color, #3b82f6); + color: white; +} + +.dark .filter-btn, +.dark .logout-btn { + background: var(--bg-tertiary, #2a2a4a); +} + +/* Filter Panel */ +.filter-panel { + display: flex; + flex-wrap: wrap; + gap: 1rem; + padding: 0.75rem 1rem; + background: var(--bg-primary, #fff); + border-bottom: 1px solid var(--border-color, #e0e0e0); +} + +.dark .filter-panel { + background: var(--bg-primary, #16213e); + border-bottom-color: var(--border-color, #2a2a4a); +} + +.filter-group { + display: flex; + align-items: center; + gap: 0.5rem; +} + +.filter-group label { + font-size: 0.75rem; + font-weight: 500; + color: var(--text-secondary, #666); + white-space: nowrap; +} + +.filter-group select { + padding: 0.25rem 0.5rem; + border: 1px solid var(--border-color, #e0e0e0); + border-radius: 4px; + background: var(--bg-secondary, #f5f5f5); + color: var(--text-primary, #1a1a2e); + font-size: 0.75rem; +} + +.dark .filter-group select { + background: var(--bg-tertiary, #2a2a4a); + border-color: var(--border-color, #2a2a4a); + color: var(--text-primary, #e0e0e0); +} + +.signal-checkboxes { + display: flex; + flex-wrap: wrap; + gap: 0.5rem; +} + +.signal-checkbox { + display: inline-flex; + align-items: center; + gap: 0.25rem; + padding: 0.25rem 0.5rem; + background: var(--bg-secondary, #f5f5f5); + border-radius: 4px; + font-size: 0.75rem; + cursor: pointer; +} + +.dark .signal-checkbox { + background: var(--bg-tertiary, #2a2a4a); +} + +.signal-checkbox input { + margin: 0; + cursor: pointer; +} + +.signal-checkbox .signal-count { + color: var(--text-secondary, #999); + font-size: 0.625rem; +} + /* Stats Dashboard */ .stats-dashboard { display: grid; @@ -85,6 +204,41 @@ border-bottom: 1px solid var(--border-color, #e0e0e0); } +.stats-dashboard.compact { + display: flex; + flex-wrap: wrap; + gap: 0.75rem; + padding: 0.5rem 1rem; + align-items: center; +} + +.stats-dashboard.compact .stat-card { + padding: 0.375rem 0.75rem; + display: flex; + align-items: center; + gap: 0.5rem; + flex: 0 0 auto; +} + +.stats-dashboard.compact .stat-value { + font-size: 0.875rem; +} + +.stats-dashboard.compact .stat-label { + font-size: 0.625rem; + margin: 0; +} + +.stats-dashboard.compact .stat-card.progress { + flex: 1; + min-width: 100px; +} + +.stats-dashboard.compact .progress-bar { + margin: 0; + flex: 1; +} + .dark .stats-dashboard { background: var(--bg-primary, #16213e); border-bottom-color: var(--border-color, #2a2a4a); @@ -179,6 +333,11 @@ border-bottom: 1px solid var(--border-color, #e0e0e0); } +.profile-sidebar.compact h2 { + padding: 0.5rem 0.75rem; + font-size: 0.75rem; +} + .dark .profile-sidebar h2 { color: var(--text-secondary, #999); border-bottom-color: var(--border-color, #2a2a4a); @@ -193,7 +352,7 @@ } .profile-item { - padding: 0.75rem 1rem; + padding: 0.5rem 0.75rem; border-bottom: 1px solid var(--border-color, #e0e0e0); cursor: pointer; transition: background 0.15s; @@ -322,7 +481,7 @@ .comparison-panel { flex: 1; overflow-y: auto; - padding: 1.5rem; + padding: 0.75rem; } .empty-comparison, @@ -340,7 +499,7 @@ .comparison-grid { display: grid; grid-template-columns: 1fr 1fr; - gap: 1.5rem; + gap: 0.75rem; height: 100%; } @@ -363,9 +522,9 @@ display: flex; align-items: center; gap: 0.5rem; - padding: 1rem; + padding: 0.5rem 0.75rem; margin: 0; - font-size: 1rem; + font-size: 0.875rem; font-weight: 600; border-bottom: 1px solid var(--border-color, #e0e0e0); color: var(--text-primary, #1a1a2e); @@ -385,15 +544,15 @@ } .profile-details { - padding: 1rem; + padding: 0.5rem 0.75rem; flex: 1; } .detail-row { display: flex; flex-direction: column; - gap: 0.25rem; - padding: 0.5rem 0; + gap: 0.125rem; + padding: 0.25rem 0; border-bottom: 1px solid var(--border-color, #e0e0e0); } @@ -450,7 +609,7 @@ /* Candidate Selector */ .candidate-selector { - padding: 1rem; + padding: 0.5rem 0.75rem; border-top: 1px solid var(--border-color, #e0e0e0); background: var(--bg-secondary, #f5f5f5); } @@ -461,8 +620,8 @@ } .candidate-selector h4 { - margin: 0 0 0.75rem; - font-size: 0.75rem; + margin: 0 0 0.375rem; + font-size: 0.6875rem; font-weight: 600; text-transform: uppercase; letter-spacing: 0.05em; @@ -589,8 +748,8 @@ .decision-buttons { display: grid; grid-template-columns: repeat(3, 1fr); - gap: 0.5rem; - padding: 1rem; + gap: 0.375rem; + padding: 0.5rem 0.75rem; border-top: 1px solid var(--border-color, #e0e0e0); } @@ -602,11 +761,11 @@ display: flex; align-items: center; justify-content: center; - gap: 0.5rem; - padding: 0.75rem 1rem; + gap: 0.25rem; + padding: 0.5rem 0.5rem; border: none; - border-radius: 8px; - font-size: 0.875rem; + border-radius: 6px; + font-size: 0.75rem; font-weight: 600; cursor: pointer; transition: all 0.15s; diff --git a/frontend/src/pages/EntityReviewPage.tsx b/frontend/src/pages/EntityReviewPage.tsx index dce8b1eda7..1c2b8d4242 100644 --- a/frontend/src/pages/EntityReviewPage.tsx +++ b/frontend/src/pages/EntityReviewPage.tsx @@ -9,10 +9,12 @@ * - Side-by-side profile comparison * - Review decision buttons with keyboard shortcuts * - Progress statistics dashboard - * - Git-backed persistence (full audit trail) + * - Match signal filtering + * - Compact UI to minimize scrolling */ import { useState, useEffect, useCallback } from 'react'; +import { useNavigate } from 'react-router-dom'; import { useLanguage } from '../contexts/LanguageContext'; import { CheckCircle, @@ -27,7 +29,9 @@ import { Link2, AlertCircle, Loader2, - RefreshCw + RefreshCw, + Filter, + Key } from 'lucide-react'; import './EntityReviewPage.css'; @@ -129,8 +133,21 @@ const TEXT = { export default function EntityReviewPage() { const { language } = useLanguage(); + const navigate = useNavigate(); const t = (key: keyof typeof TEXT) => TEXT[key][language as 'nl' | 'en'] || TEXT[key].en; + // Auth check + const [isAuthenticated, setIsAuthenticated] = useState(null); + const reviewToken = sessionStorage.getItem('review_token'); + + useEffect(() => { + if (!reviewToken) { + navigate('/review-login', { state: { from: '/review' } }); + } else { + setIsAuthenticated(true); + } + }, [reviewToken, navigate]); + // State const [profiles, setProfiles] = useState([]); const [stats, setStats] = useState(null); @@ -145,15 +162,36 @@ export default function EntityReviewPage() { const [page, setPage] = useState(1); const [totalPages, setTotalPages] = useState(1); const pageSize = 20; + + // Filtering state + const [showFilters, setShowFilters] = useState(false); + const [minSignals, setMinSignals] = useState(1); + const [requiredSignals, setRequiredSignals] = useState([]); + const [availableSignals, setAvailableSignals] = useState<{signal_types: string[], signal_counts: Record}>({signal_types: [], signal_counts: {}}); - // Fetch profiles list + // Fetch available signal types + const fetchSignalTypes = useCallback(async () => { + try { + const response = await fetch(`${API_BASE}/api/review/signal-types`); + if (response.ok) { + const data = await response.json(); + setAvailableSignals(data); + } + } catch (err) { + console.error('Failed to fetch signal types:', err); + } + }, []); + + // Fetch profiles list with filters const fetchProfiles = useCallback(async () => { setLoading(true); setError(null); try { - const response = await fetch( - `${API_BASE}/api/review/candidates?page=${page}&page_size=${pageSize}&filter_status=pending&sort_by=confidence` - ); + let url = `${API_BASE}/api/review/candidates?page=${page}&page_size=${pageSize}&filter_status=pending&sort_by=confidence&min_signals=${minSignals}`; + if (requiredSignals.length > 0) { + url += `&signal_types=${requiredSignals.join(',')}`; + } + const response = await fetch(url); if (!response.ok) throw new Error('Failed to fetch profiles'); const data = await response.json(); setProfiles(data.profiles); @@ -163,7 +201,7 @@ export default function EntityReviewPage() { } finally { setLoading(false); } - }, [page]); + }, [page, minSignals, requiredSignals]); // Fetch stats const fetchStats = useCallback(async () => { @@ -246,14 +284,17 @@ export default function EntityReviewPage() { // Initial load useEffect(() => { - fetchProfiles(); - fetchStats(); - }, [fetchProfiles, fetchStats]); + if (isAuthenticated) { + fetchProfiles(); + fetchStats(); + fetchSignalTypes(); + } + }, [fetchProfiles, fetchStats, fetchSignalTypes, isAuthenticated]); // Keyboard shortcuts useEffect(() => { const handleKeyDown = (e: KeyboardEvent) => { - if (savingDecision || !selectedCandidate) return; + if (savingDecision || !selectedCandidate || !isAuthenticated) return; switch (e.key) { case 'm': @@ -276,7 +317,26 @@ export default function EntityReviewPage() { window.addEventListener('keydown', handleKeyDown); return () => window.removeEventListener('keydown', handleKeyDown); - }, [saveDecision, savingDecision, selectedCandidate]); + }, [saveDecision, savingDecision, selectedCandidate, isAuthenticated]); + + // Handle logout + const handleLogout = () => { + sessionStorage.removeItem('review_token'); + sessionStorage.removeItem('review_username'); + navigate('/review-login'); + }; + + // If not authenticated yet, show loading + if (isAuthenticated === null) { + return ( +
+
+ + Authenticating... +
+
+ ); + } // Format confidence score as percentage with color const formatConfidence = (score: number) => { @@ -288,47 +348,95 @@ export default function EntityReviewPage() { return (
{/* Header */} -
+

{t('pageTitle')}

-

{t('pageSubtitle')}

- +
+ + + +
- {/* Stats Dashboard */} + {/* Compact Stats Dashboard */} {stats && ( -
+
-
{stats.profiles_with_candidates.toLocaleString()}
-
{t('totalProfiles')}
+ {stats.profiles_with_candidates.toLocaleString()} + Profielen
-
{stats.total_candidates.toLocaleString()}
-
{t('totalCandidates')}
+ {stats.total_candidates.toLocaleString()} + Kandidaten
-
{stats.reviewed_candidates.toLocaleString()}
-
{t('reviewedCandidates')}
+ {stats.reviewed_candidates.toLocaleString()} + Beoordeeld
-
{stats.pending_candidates.toLocaleString()}
-
{t('pendingCandidates')}
+ {stats.pending_candidates.toLocaleString()} + In afwachting
-
{stats.review_progress_percent}%
-
{t('progress')}
+ {stats.review_progress_percent}%
-
+
+
+
+
+ )} + + {/* Filter Panel */} + {showFilters && ( +
+
+ + +
+
+ +
+ {availableSignals.signal_types.map((signal) => ( + + ))}
@@ -337,8 +445,8 @@ export default function EntityReviewPage() { {/* Main Content */}
{/* Profile List Sidebar */} -