From 75dd8b6b82bde38c09d7c0e8b0196bf1f310d97b Mon Sep 17 00:00:00 2001 From: cmungall Date: Mon, 29 Jan 2024 11:31:10 -0800 Subject: [PATCH] First pass at a tool for expressionifying named superclasses. One use case for this is to expressionize BFO; see https://github.com/BFO-ontology/BFO/issues/221 for context --- .cruft.json | 24 + .github/workflows/deploy-docs.yml | 43 + .github/workflows/pypi-publish.yml | 34 + .github/workflows/qc.yml | 36 + .gitignore | 135 + .pre-commit-config.yaml | 25 + CONTRIBUTING.md | 52 + LICENSE | 28 + Makefile | 59 + README.md | 92 + docs/Makefile | 20 + docs/conf.py | 60 + docs/index.rst | 20 + docs/make.bat | 35 + poetry.lock | 1391 ++ pyproject.toml | 80 + src/rdf_expressionizer/__init__.py | 8 + src/rdf_expressionizer/cli.py | 123 + src/rdf_expressionizer/main.py | 203 + src/rdf_expressionizer/mappings/__init__.py | 4 + .../mappings/bfo_xbfo_mappings.csv | 37 + .../ontology/bfo_bridge.owl | 892 + .../ontology/cob-augmented-tidy.owl | 1753 ++ .../ontology/ro-rewired-tidy.owl | 17720 ++++++++++++++++ src/rdf_expressionizer/ontology/xbfo.owl | 340 + .../ontology/xbfo_template.csv | 37 + tests/__init__.py | 1 + tests/conftest.py | 8 + tests/input/bfo.owl | 1715 ++ tests/input/cob.owl | 1385 ++ tests/input/ro.owl | 16867 +++++++++++++++ tests/input/ro_unsat.owl | 16878 +++++++++++++++ tests/input/ro_unsat.properties | 5 + tests/test_cli.py | 82 + tests/test_main.py | 158 + tox.ini | 86 + 36 files changed, 60436 insertions(+) create mode 100644 .cruft.json create mode 100644 .github/workflows/deploy-docs.yml create mode 100644 .github/workflows/pypi-publish.yml create mode 100644 .github/workflows/qc.yml create mode 100644 .gitignore create mode 100644 .pre-commit-config.yaml create mode 100644 CONTRIBUTING.md create mode 100644 LICENSE create mode 100644 Makefile create mode 100644 README.md create mode 100644 docs/Makefile create mode 100644 docs/conf.py create mode 100644 docs/index.rst create mode 100644 docs/make.bat create mode 100644 poetry.lock create mode 100644 pyproject.toml create mode 100644 src/rdf_expressionizer/__init__.py create mode 100644 src/rdf_expressionizer/cli.py create mode 100644 src/rdf_expressionizer/main.py create mode 100644 src/rdf_expressionizer/mappings/__init__.py create mode 100644 src/rdf_expressionizer/mappings/bfo_xbfo_mappings.csv create mode 100644 src/rdf_expressionizer/ontology/bfo_bridge.owl create mode 100644 src/rdf_expressionizer/ontology/cob-augmented-tidy.owl create mode 100644 src/rdf_expressionizer/ontology/ro-rewired-tidy.owl create mode 100644 src/rdf_expressionizer/ontology/xbfo.owl create mode 100644 src/rdf_expressionizer/ontology/xbfo_template.csv create mode 100644 tests/__init__.py create mode 100644 tests/conftest.py create mode 100644 tests/input/bfo.owl create mode 100644 tests/input/cob.owl create mode 100644 tests/input/ro.owl create mode 100644 tests/input/ro_unsat.owl create mode 100644 tests/input/ro_unsat.properties create mode 100644 tests/test_cli.py create mode 100644 tests/test_main.py create mode 100644 tox.ini diff --git a/.cruft.json b/.cruft.json new file mode 100644 index 0000000..8851513 --- /dev/null +++ b/.cruft.json @@ -0,0 +1,24 @@ +{ + "template": "https://github.com/monarch-initiative/monarch-project-template", + "commit": "71f0cbdbfc1f68c2a4c771d13c9bd82a362ef046", + "checkout": null, + "context": { + "cookiecutter": { + "project_name": "rdf-expressionizer", + "github_org_name": "INCATools", + "__project_slug": "rdf_expressionizer", + "project_description": "translates named classes to equivalent class expressions", + "min_python_version": "3.9", + "file_name": "main", + "greeting_recipient": "World", + "full_name": "Author 1", + "email": "author@org.org", + "__author": "Author 1 ", + "license": "BSD-3", + "github_token_for_doc_deployment": "GH_TOKEN", + "github_token_for_pypi_deployment": "PYPI_TOKEN", + "_template": "https://github.com/monarch-initiative/monarch-project-template" + } + }, + "directory": null +} diff --git a/.github/workflows/deploy-docs.yml b/.github/workflows/deploy-docs.yml new file mode 100644 index 0000000..cf05e6e --- /dev/null +++ b/.github/workflows/deploy-docs.yml @@ -0,0 +1,43 @@ +name: Auto-deployment of Documentation +on: + push: + branches: [ main ] +jobs: + build-docs: + runs-on: ubuntu-latest + steps: + - name: Checkout + uses: actions/checkout@v3.0.2 + with: + fetch-depth: 0 # otherwise, you will failed to push refs to dest repo + + - name: Set up Python 3. + uses: actions/setup-python@v3 + with: + python-version: 3.9 + + - name: Install Poetry. + uses: snok/install-poetry@v1.3.1 + + - name: Install dependencies. + run: | + poetry install --with docs + + - name: Build documentation. + run: | + echo ${{ secrets.GH_TOKEN }} >> src/rdf_expressionizer/token.txt + mkdir gh-pages + touch gh-pages/.nojekyll + cd docs/ + poetry run sphinx-apidoc -o . ../src/rdf_expressionizer/ --ext-autodoc -f + poetry run sphinx-build -b html . _build + cp -r _build/* ../gh-pages/ + + - name: Deploy documentation. + if: ${{ github.event_name == 'push' }} + uses: JamesIves/github-pages-deploy-action@v4.4.1 + with: + branch: gh-pages + force: true + folder: gh-pages + token: ${{ secrets.GH_TOKEN }} diff --git a/.github/workflows/pypi-publish.yml b/.github/workflows/pypi-publish.yml new file mode 100644 index 0000000..c2c1d5e --- /dev/null +++ b/.github/workflows/pypi-publish.yml @@ -0,0 +1,34 @@ +name: Publish Python Package + +on: + workflow_dispatch: + release: + types: [created] + +jobs: + build-n-publish: + name: Build and publish Python 🐍 distributions 📦 to PyPI + runs-on: ubuntu-latest + + steps: + - uses: actions/checkout@v3.0.2 + + - name: Set up Python + uses: actions/setup-python@v3.1.2 + with: + python-version: 3.9 + + - name: Install Poetry + run: pip install poetry poetry-dynamic-versioning + + - name: Install dependencies + run: poetry install --no-interaction + + - name: Build source and wheel archives + run: poetry build + + - name: Publish distribution 📦 to PyPI + uses: pypa/gh-action-pypi-publish@v1.5.0 + with: + user: __token__ + password: ${{ secrets.PYPI_TOKEN }} diff --git a/.github/workflows/qc.yml b/.github/workflows/qc.yml new file mode 100644 index 0000000..c7a1d06 --- /dev/null +++ b/.github/workflows/qc.yml @@ -0,0 +1,36 @@ +name: rdf-expressionizer QC + +on: + push: + branches: [ main ] + pull_request: + branches: [ main ] + +jobs: + build: + runs-on: ubuntu-latest + strategy: + matrix: + python-version: [ "3.8", "3.11" ] + + steps: + - uses: actions/checkout@v3.0.2 + + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v3 + with: + python-version: ${{ matrix.python-version }} + + - name: Install Poetry + uses: snok/install-poetry@v1.3.1 + - name: Install dependencies + run: poetry install --no-interaction + + - name: Check common spelling errors + run: poetry run tox -e codespell + + - name: Check code quality with flake8 + run: poetry run tox -e lint + + - name: Test with pytest and generate coverage file + run: poetry run tox -e py diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..c6f4b10 --- /dev/null +++ b/.gitignore @@ -0,0 +1,135 @@ +*.old +*-rewired.owl +*-augmented.owl +tests/output/ +.idea + +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +wheels/ +pip-wheel-metadata/ +share/python-wheels/ +*.egg-info/ +.installed.cfg +*.egg +MANIFEST + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.nox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*.cover +*.py,cover +.hypothesis/ +.pytest_cache/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py +db.sqlite3 +db.sqlite3-journal + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +target/ + +# Jupyter Notebook +.ipynb_checkpoints + +# IPython +profile_default/ +ipython_config.py + +# pyenv +.python-version + +# pipenv +# According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. +# However, in case of collaboration, if having platform-specific dependencies or dependencies +# having no cross-platform support, pipenv may install dependencies that don't work, or not +# install all needed dependencies. +#Pipfile.lock + +# PEP 582; used by e.g. github.com/David-OConnor/pyflow +__pypackages__/ + +# Celery stuff +celerybeat-schedule +celerybeat.pid + +# SageMath parsed files +*.sage.py + +# Environments +.env +.venv +env/ +venv/ +ENV/ +env.bak/ +venv.bak/ + +# Spyder project settings +.spyderproject +.spyproject + +# Rope project settings +.ropeproject + +# mkdocs documentation +/site + +# mypy +.mypy_cache/ +.dmypy.json +dmypy.json + +# Pyre type checker +.pyre/ diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml new file mode 100644 index 0000000..b2e58a4 --- /dev/null +++ b/.pre-commit-config.yaml @@ -0,0 +1,25 @@ +default_language_version: + python: python3 +repos: +- repo: https://github.com/pre-commit/pre-commit-hooks + rev: v4.4.0 + hooks: + - id: end-of-file-fixer + - id: check-yaml + - id: check-toml + - id: trailing-whitespace +- repo: https://github.com/psf/black + rev: 23.7.0 + hooks: + - id: black +- repo: https://github.com/astral-sh/ruff-pre-commit + rev: v0.0.278 + hooks: + - id: ruff + args: [--fix, --exit-non-zero-on-fix] +- repo: https://github.com/codespell-project/codespell + rev: v2.2.4 + hooks: + - id: codespell + additional_dependencies: + - tomli diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md new file mode 100644 index 0000000..00d0f8b --- /dev/null +++ b/CONTRIBUTING.md @@ -0,0 +1,52 @@ +# Contribution Guidelines + +When contributing to this repository, please first discuss the changes you wish to make via an issue, email, or any other method, with the owners of this repository before issuing a pull request. + +## How to contribute + +### Reporting bugs or making feature requests + +To report a bug or suggest a new feature, please go to the [INCATools/rdf-expressionizer issue tracker](https://github.com/INCATools/rdf-expressionizer/issues), as we are +consolidating issues there. + +Please supply enough details to the developers to enable them to verify and troubleshoot your issue: + +* Provide a clear and descriptive title as well as a concise summary of the issue to identify the problem. +* Describe the exact steps which reproduce the problem in as many details as possible. +* Describe the behavior you observed after following the steps and point out what exactly is the problem with that behavior. +* Explain which behavior you expected to see instead and why. +* Provide screenshots of the expected or actual behaviour where applicable. + + +### The development lifecycle + +1. Create a bug fix or feature development branch, based off the `main` branch of the upstream repo, and not your fork. Name the branch appropriately, briefly summarizing the bug fix or feature request. If none come to mind, you can include the issue number in the branch name. Some examples of branch names are, `bugfix/breaking-pipfile-error` or `feature/add-click-cli-layer`, or `bugfix/issue-414` +2. Make sure your development branch has all the latest commits from the `main` branch. +3. After completing work and testing locally, push the code to the appropriate branch on your fork. +4. Create a pull request from the bug/feature branch of your fork to the `main` branch of the upstream repository. + +Note: All the development must be done on a branch on your fork. + +ALSO NOTE: github.com lets you create a pull request from the main branch, automating the steps above. + +> A code review (which happens with both the contributor and the reviewer present) is required for contributing. + +### How to write a great issue + +Please review GitHub's overview article, +["Tracking Your Work with Issues"][about-issues]. + + + +### How to create a great pull/merge request + +Please review GitHub's article, ["About Pull Requests"][about-pulls], +and make your changes on a [new branch][about-branches]. + +[about-branches]: https://docs.github.com/en/pull-requests/collaborating-with-pull-requests/proposing-changes-to-your-work-with-pull-requests/about-branches +[about-issues]: https://docs.github.com/en/issues/tracking-your-work-with-issues/about-issues +[about-pulls]: https://docs.github.com/en/pull-requests/collaborating-with-pull-requests/proposing-changes-to-your-work-with-pull-requests/about-pull-requests +[issues]: https://github.com/INCATools/rdf-expressionizer/issues/ +[pulls]: https://github.com/INCATools/rdf-expressionizer/pulls/ + +We recommend also reading [GitHub Pull Requests: 10 Tips to Know](https://blog.mergify.com/github-pull-requests-10-tips-to-know/) diff --git a/LICENSE b/LICENSE new file mode 100644 index 0000000..81824b7 --- /dev/null +++ b/LICENSE @@ -0,0 +1,28 @@ + +Copyright (c) 2024, Monarch Initiative +All rights reserved. + +Redistribution and use in source and binary forms, with or without +modification, are permitted provided that the following conditions are met: + +* Redistributions of source code must retain the above copyright notice, this + list of conditions and the following disclaimer. + +* Redistributions in binary form must reproduce the above copyright notice, + this list of conditions and the following disclaimer in the documentation + and/or other materials provided with the distribution. + +* Neither the name of pytest-rdf-expressionizer nor the names of its + contributors may be used to endorse or promote products derived from + this software without specific prior written permission. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" +AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE +IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE +DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE +FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL +DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER +CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, +OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE +OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. diff --git a/Makefile b/Makefile new file mode 100644 index 0000000..00f893a --- /dev/null +++ b/Makefile @@ -0,0 +1,59 @@ +RUN = poetry run +CODE = src/rdf_expressionizer + +all: test + +test: pytest doctest test-unsat + + +pytest: + $(RUN) pytest + +apidoc: + $(RUN) sphinx-apidoc -f -M -o docs/ $(CODE)/ && cd docs && $(RUN) make html + +doctest: + $(RUN) python -m doctest --option ELLIPSIS --option NORMALIZE_WHITESPACE $(CODE)/*.py + +%-doctest: % + $(RUN) python -m doctest --option ELLIPSIS --option NORMALIZE_WHITESPACE $< + +XBFO = $(CODE)/ontology/xbfo.owl + +# create the xbfo ontology from the robot template, which shadows BFO, adding "nature" as a suffix +$(XBFO): $(CODE)/ontology/xbfo_template.csv + robot template -p "XBFO: https://w3id.org/xbfo/" -t $< -o $@ + +# bridge between bfo and xbfo; simple shadow DP +$(CODE)/ontology/bfo_bridge.owl: $(CODE)/mappings/bfo_xbfo_mappings.csv + robot template --merge-before -i $(XBFO) -p "XBFO: https://w3id.org/xbfo/" -t $< -o $@ + +$(CODE)/ontology/ro-rewired.owl: tests/input/ro.owl + $(RUN) rdf-expressionizer replace -x COB -m bfo_xbfo_mappings $< -o $@ +$(CODE)/ontology/ro-rewired-tidy.owl: $(CODE)/ontology/ro-rewired.owl $(XBFO) + robot merge -i $< -i $(XBFO) -o $@ + +$(CODE)/ontology/cob-augmented.owl: tests/input/cob.owl + $(RUN) rdf-expressionizer augment -m bfo_xbfo_mappings $< -o $@ +$(CODE)/ontology/cob-augmented-tidy.owl: $(CODE)/ontology/cob-augmented.owl $(XBFO) + robot merge -i $< -i $(XBFO) -o $@ + + + +# tidy-cob; +# subset_COB_ecob.owl comes from pytest +tests/output/cob2.owl: tests/output/subset_COB_ecob.owl $(XBFO) + robot merge -i $< -i $(XBFO) -o $@ + +tests/output/cob2_plus_ro.owl: tests/output/cob2.owl tests/output/xro.owl + robot merge $(patsubst %, -i %, $^) -o $@ + +tests/output/merged-%.owl: tests/output/%.owl $(XBFO) + robot merge -i $< -i $(XBFO) -o $@ + +tests/output/%-explanations.md: tests/output/merged-%.owl + robot explain -M unsatisfiability -i $< -u all -e $@ + +# check rewired ontology is entailment-preserving +test-unsat: tests/output/xro_unsat-explanations.md + grep -F '[cell](http://purl.obolibrary.org/obo/CL_0000000) SubClassOf [Nothing](http://www.w3.org/2002/07/owl#Nothing)' $< diff --git a/README.md b/README.md new file mode 100644 index 0000000..5d9b0f3 --- /dev/null +++ b/README.md @@ -0,0 +1,92 @@ +# rdf-expressionizer + +Translates named classes to equivalent class expressions. + +The primary use case for this is rewiring ontologies that use upper ontologies such as BFO, +preserving semantic entailment, and hiding upper ontology classes in an orthogonal hierarchy. + +## Installation + +```bash +pipx install rdf-expressionizer +rdf-expressionizer --help +``` + +## Example Workflows + +### Rewiring an ontology that uses BFO + +```bash +rdf-expressionizer replace -m bfo_xbfo_mappings ro.owl -o ro-rewired.owl +``` + +Note that the semantics of axioms are preserved, but structurally rewritten. + +For example, the following axiom: + + - [occurs in](http://purl.obolibrary.org/obo/BFO_0000066) Domain [occurrent nature](https://w3id.org/xbfo/0000003) + +Is rewritten to: + + - [occurs in](http://purl.obolibrary.org/obo/BFO_0000066) Domain [has characteristic](http://purl.obolibrary.org/obo/RO_0000053) some [occurrent nature](https://w3id.org/xbfo/0000003) + +TODO: decide on which ObjectProperty to use for `bfo_xbfo_mappings` + +Note the resulting ontology has dangling flat label-less classes. These are semantically correct, but +to give them labels and hierarchy, merge with [XBFO](https://w3id.org/xbfo). + + +```bash +robot merge -i ro-rewired.owl -i src/rdf-expressionizer/xbfo.owl -o ro-rewired-pretty.owl +``` + +### Rewiring an ontology preserving COB subset + +```bash +rdf-expressionizer replace -x COB -m bfo_xbfo_mappings ro.owl -o ro-rewired.owl +``` + +This excludes (`-x` or `--exclude-subset`) the COB subset of BFO from the rewiring. + +### Augmenting COB with equivalence axioms + +```bash +rdf-expressionizer augment -m bfo_xbfo_mappings cob.owl -o cob-augmented.owl +``` + +## Testing + +```bash +git clone +poetry install +make test +``` + +This runs internal unit tests, and additional tests. + +One of the tests does the following: + +- injects an invalid axiom into RO + - `Cell occurs-in some 'Multi-cellular organism'` + - this axiom is designed to cause incoherency when combined with upper level BFO disjointness axioms +- creates a rewired version of RO +- runs `robot explain` +- checks the intended unsatisfiable axiom is detected + +* [cell](http://purl.obolibrary.org/obo/CL_0000000) SubClassOf [Nothing](http://www.w3.org/2002/07/owl#Nothing) ## + + - [cell](http://purl.obolibrary.org/obo/CL_0000000) SubClassOf [anatomical structure](http://purl.obolibrary.org/obo/UBERON_0000061) + - [anatomical structure](http://purl.obolibrary.org/obo/UBERON_0000061) SubClassOf [material anatomical entity](http://purl.obolibrary.org/obo/UBERON_0000465) + - [material anatomical entity](http://purl.obolibrary.org/obo/UBERON_0000465) SubClassOf [anatomical entity](http://purl.obolibrary.org/obo/UBERON_0001062) + - [anatomical entity](http://purl.obolibrary.org/obo/UBERON_0001062) SubClassOf [has characteristic](http://purl.obolibrary.org/obo/RO_0000053) some [independent continuant nature](https://w3id.org/xbfo/0000004) + - [independent continuant nature](https://w3id.org/xbfo/0000004) SubClassOf [continuant nature](https://w3id.org/xbfo/0000002) + - [cell](http://purl.obolibrary.org/obo/CL_0000000) SubClassOf [occurs in](http://purl.obolibrary.org/obo/BFO_0000066) some [multicellular anatomical structure](http://purl.obolibrary.org/obo/UBERON_0010000) + - [occurs in](http://purl.obolibrary.org/obo/BFO_0000066) Domain [has characteristic](http://purl.obolibrary.org/obo/RO_0000053) some [occurrent nature](https://w3id.org/xbfo/0000003) + - [has characteristic](http://purl.obolibrary.org/obo/RO_0000053) some [continuant nature](https://w3id.org/xbfo/0000002) DisjointWith [has characteristic](http://purl.obolibrary.org/obo/RO_0000053) some [occurrent nature](https://w3id.org/xbfo/0000003) + + + +## Limitations + +- Ontology must be in RDF serialization + - TODO: add options for non RDF/XML serializations \ No newline at end of file diff --git a/docs/Makefile b/docs/Makefile new file mode 100644 index 0000000..d0c3cbf --- /dev/null +++ b/docs/Makefile @@ -0,0 +1,20 @@ +# Minimal makefile for Sphinx documentation +# + +# You can set these variables from the command line, and also +# from the environment for the first two. +SPHINXOPTS ?= +SPHINXBUILD ?= sphinx-build +SOURCEDIR = source +BUILDDIR = build + +# Put it first so that "make" without argument is like "make help". +help: + @$(SPHINXBUILD) -M help "$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O) + +.PHONY: help Makefile + +# Catch-all target: route all unknown targets to Sphinx using the new +# "make mode" option. $(O) is meant as a shortcut for $(SPHINXOPTS). +%: Makefile + @$(SPHINXBUILD) -M $@ "$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O) diff --git a/docs/conf.py b/docs/conf.py new file mode 100644 index 0000000..8e4bacb --- /dev/null +++ b/docs/conf.py @@ -0,0 +1,60 @@ +"""Configuration file for the Sphinx documentation builder.""" +# For the full list of built-in configuration values, see the documentation: +# https://www.sphinx-doc.org/en/master/usage/configuration.html + +import os +from datetime import date + +from rdf_expressionizer import __version__ + +# -- Project information ----------------------------------------------------- +# https://www.sphinx-doc.org/en/master/usage/configuration.html#project-information + +project = "rdf-expressionizer" +copyright = f"{date.today().year}, Author 1 " +author = "Author 1 " +release = __version__ + +# -- General configuration --------------------------------------------------- +# https://www.sphinx-doc.org/en/master/usage/configuration.html#general-configuration + +extensions = [ + "sphinx.ext.autodoc", + "sphinx.ext.githubpages", + "sphinx_rtd_theme", + "sphinx_click", + "sphinx_autodoc_typehints", + "myst_parser", +] + +# generate autosummary pages +autosummary_generate = True + +# The master toctree document. +master_doc = "index" + +# The language for content autogenerated by Sphinx. Refer to documentation +# for a list of supported languages. +# +# This is also used if you do content translation via gettext catalogs. +# Usually you set "language" from the command line for these cases. +language = "en" + +# List of patterns, relative to source directory, that match files and +# directories to ignore when looking for source files. +# This pattern also affects html_static_path and html_extra_path. +exclude_patterns = ["_build", "Thumbs.db", ".DS_Store"] + +templates_path = ["_templates"] + +# -- Options for HTML output ------------------------------------------------- +# https://www.sphinx-doc.org/en/master/usage/configuration.html#options-for-html-output + +html_theme = "sphinx_rtd_theme" +html_static_path = ["_static"] + +# The name of an image file (relative to this directory) to place at the top +# of the sidebar. +# +if os.path.exists("logo.png"): + html_logo = "logo.png" diff --git a/docs/index.rst b/docs/index.rst new file mode 100644 index 0000000..99de4ba --- /dev/null +++ b/docs/index.rst @@ -0,0 +1,20 @@ +.. rdf-expressionizer documentation master file, created by + sphinx-quickstart on Fri Aug 12 08:35:01 2022. + You can adapt this file completely to your liking, but it should at least + contain the root `toctree` directive. + +Welcome to rdf-expressionizer's documentation! +========================================================= + +.. toctree:: + :maxdepth: 2 + :caption: Contents: + + modules + +Indices and tables +================== + +* :ref:`genindex` +* :ref:`modindex` +* :ref:`search` diff --git a/docs/make.bat b/docs/make.bat new file mode 100644 index 0000000..747ffb7 --- /dev/null +++ b/docs/make.bat @@ -0,0 +1,35 @@ +@ECHO OFF + +pushd %~dp0 + +REM Command file for Sphinx documentation + +if "%SPHINXBUILD%" == "" ( + set SPHINXBUILD=sphinx-build +) +set SOURCEDIR=source +set BUILDDIR=build + +%SPHINXBUILD% >NUL 2>NUL +if errorlevel 9009 ( + echo. + echo.The 'sphinx-build' command was not found. Make sure you have Sphinx + echo.installed, then set the SPHINXBUILD environment variable to point + echo.to the full path of the 'sphinx-build' executable. Alternatively you + echo.may add the Sphinx directory to PATH. + echo. + echo.If you don't have Sphinx installed, grab it from + echo.https://www.sphinx-doc.org/ + exit /b 1 +) + +if "%1" == "" goto help + +%SPHINXBUILD% -M %1 %SOURCEDIR% %BUILDDIR% %SPHINXOPTS% %O% +goto end + +:help +%SPHINXBUILD% -M help %SOURCEDIR% %BUILDDIR% %SPHINXOPTS% %O% + +:end +popd diff --git a/poetry.lock b/poetry.lock new file mode 100644 index 0000000..3319073 --- /dev/null +++ b/poetry.lock @@ -0,0 +1,1391 @@ +# This file is automatically @generated by Poetry 1.4.2 and should not be changed by hand. + +[[package]] +name = "alabaster" +version = "0.7.13" +description = "A configurable sidebar-enabled Sphinx theme" +category = "dev" +optional = false +python-versions = ">=3.6" +files = [ + {file = "alabaster-0.7.13-py3-none-any.whl", hash = "sha256:1ee19aca801bbabb5ba3f5f258e4422dfa86f82f3e9cefb0859b283cdd7f62a3"}, + {file = "alabaster-0.7.13.tar.gz", hash = "sha256:a27a4a084d5e690e16e01e03ad2b2e552c61a65469419b907243193de1a84ae2"}, +] + +[[package]] +name = "annotated-types" +version = "0.6.0" +description = "Reusable constraint types to use with typing.Annotated" +category = "main" +optional = false +python-versions = ">=3.8" +files = [ + {file = "annotated_types-0.6.0-py3-none-any.whl", hash = "sha256:0641064de18ba7a25dee8f96403ebc39113d0cb953a01429249d5c7564666a43"}, + {file = "annotated_types-0.6.0.tar.gz", hash = "sha256:563339e807e53ffd9c267e99fc6d9ea23eb8443c08f112651963e24e22f84a5d"}, +] + +[[package]] +name = "babel" +version = "2.14.0" +description = "Internationalization utilities" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "Babel-2.14.0-py3-none-any.whl", hash = "sha256:efb1a25b7118e67ce3a259bed20545c29cb68be8ad2c784c83689981b7a57287"}, + {file = "Babel-2.14.0.tar.gz", hash = "sha256:6919867db036398ba21eb5c7a0f6b28ab8cbc3ae7a73a44ebe34ae74a4e7d363"}, +] + +[package.extras] +dev = ["freezegun (>=1.0,<2.0)", "pytest (>=6.0)", "pytest-cov"] + +[[package]] +name = "cachetools" +version = "5.3.2" +description = "Extensible memoizing collections and decorators" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "cachetools-5.3.2-py3-none-any.whl", hash = "sha256:861f35a13a451f94e301ce2bec7cac63e881232ccce7ed67fab9b5df4d3beaa1"}, + {file = "cachetools-5.3.2.tar.gz", hash = "sha256:086ee420196f7b2ab9ca2db2520aca326318b68fe5ba8bc4d49cca91add450f2"}, +] + +[[package]] +name = "certifi" +version = "2023.11.17" +description = "Python package for providing Mozilla's CA Bundle." +category = "main" +optional = false +python-versions = ">=3.6" +files = [ + {file = "certifi-2023.11.17-py3-none-any.whl", hash = "sha256:e036ab49d5b79556f99cfc2d9320b34cfbe5be05c5871b51de9329f0603b0474"}, + {file = "certifi-2023.11.17.tar.gz", hash = "sha256:9b469f3a900bf28dc19b8cfbf8019bf47f7fdd1a65a1d4ffb98fc14166beb4d1"}, +] + +[[package]] +name = "cfgv" +version = "3.4.0" +description = "Validate configuration and produce human readable error messages." +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "cfgv-3.4.0-py2.py3-none-any.whl", hash = "sha256:b7265b1f29fd3316bfcd2b330d63d024f2bfd8bcb8b0272f8e19a504856c48f9"}, + {file = "cfgv-3.4.0.tar.gz", hash = "sha256:e52591d4c5f5dead8e0f673fb16db7949d2cfb3f7da4582893288f0ded8fe560"}, +] + +[[package]] +name = "chardet" +version = "5.2.0" +description = "Universal encoding detector for Python 3" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "chardet-5.2.0-py3-none-any.whl", hash = "sha256:e1cf59446890a00105fe7b7912492ea04b6e6f06d4b742b2c788469e34c82970"}, + {file = "chardet-5.2.0.tar.gz", hash = "sha256:1b3b6ff479a8c414bc3fa2c0852995695c4a026dcd6d0633b2dd092ca39c1cf7"}, +] + +[[package]] +name = "charset-normalizer" +version = "3.3.2" +description = "The Real First Universal Charset Detector. Open, modern and actively maintained alternative to Chardet." +category = "main" +optional = false +python-versions = ">=3.7.0" +files = [ + {file = "charset-normalizer-3.3.2.tar.gz", hash = "sha256:f30c3cb33b24454a82faecaf01b19c18562b1e89558fb6c56de4d9118a032fd5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:25baf083bf6f6b341f4121c2f3c548875ee6f5339300e08be3f2b2ba1721cdd3"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:06435b539f889b1f6f4ac1758871aae42dc3a8c0e24ac9e60c2384973ad73027"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:9063e24fdb1e498ab71cb7419e24622516c4a04476b17a2dab57e8baa30d6e03"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6897af51655e3691ff853668779c7bad41579facacf5fd7253b0133308cf000d"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1d3193f4a680c64b4b6a9115943538edb896edc190f0b222e73761716519268e"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cd70574b12bb8a4d2aaa0094515df2463cb429d8536cfb6c7ce983246983e5a6"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8465322196c8b4d7ab6d1e049e4c5cb460d0394da4a27d23cc242fbf0034b6b5"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a9a8e9031d613fd2009c182b69c7b2c1ef8239a0efb1df3f7c8da66d5dd3d537"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:beb58fe5cdb101e3a055192ac291b7a21e3b7ef4f67fa1d74e331a7f2124341c"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:e06ed3eb3218bc64786f7db41917d4e686cc4856944f53d5bdf83a6884432e12"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:2e81c7b9c8979ce92ed306c249d46894776a909505d8f5a4ba55b14206e3222f"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:572c3763a264ba47b3cf708a44ce965d98555f618ca42c926a9c1616d8f34269"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:fd1abc0d89e30cc4e02e4064dc67fcc51bd941eb395c502aac3ec19fab46b519"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win32.whl", hash = "sha256:3d47fa203a7bd9c5b6cee4736ee84ca03b8ef23193c0d1ca99b5089f72645c73"}, + {file = "charset_normalizer-3.3.2-cp310-cp310-win_amd64.whl", hash = "sha256:10955842570876604d404661fbccbc9c7e684caf432c09c715ec38fbae45ae09"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:802fe99cca7457642125a8a88a084cef28ff0cf9407060f7b93dca5aa25480db"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:573f6eac48f4769d667c4442081b1794f52919e7edada77495aaed9236d13a96"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:549a3a73da901d5bc3ce8d24e0600d1fa85524c10287f6004fbab87672bf3e1e"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f27273b60488abe721a075bcca6d7f3964f9f6f067c8c4c605743023d7d3944f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1ceae2f17a9c33cb48e3263960dc5fc8005351ee19db217e9b1bb15d28c02574"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:65f6f63034100ead094b8744b3b97965785388f308a64cf8d7c34f2f2e5be0c4"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:753f10e867343b4511128c6ed8c82f7bec3bd026875576dfd88483c5c73b2fd8"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a78b2b446bd7c934f5dcedc588903fb2f5eec172f3d29e52a9096a43722adfc"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e537484df0d8f426ce2afb2d0f8e1c3d0b114b83f8850e5f2fbea0e797bd82ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:eb6904c354526e758fda7167b33005998fb68c46fbc10e013ca97f21ca5c8887"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:deb6be0ac38ece9ba87dea880e438f25ca3eddfac8b002a2ec3d9183a454e8ae"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:4ab2fe47fae9e0f9dee8c04187ce5d09f48eabe611be8259444906793ab7cbce"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:80402cd6ee291dcb72644d6eac93785fe2c8b9cb30893c1af5b8fdd753b9d40f"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win32.whl", hash = "sha256:7cd13a2e3ddeed6913a65e66e94b51d80a041145a026c27e6bb76c31a853c6ab"}, + {file = "charset_normalizer-3.3.2-cp311-cp311-win_amd64.whl", hash = "sha256:663946639d296df6a2bb2aa51b60a2454ca1cb29835324c640dafb5ff2131a77"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:0b2b64d2bb6d3fb9112bafa732def486049e63de9618b5843bcdd081d8144cd8"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:ddbb2551d7e0102e7252db79ba445cdab71b26640817ab1e3e3648dad515003b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:55086ee1064215781fff39a1af09518bc9255b50d6333f2e4c74ca09fac6a8f6"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8f4a014bc36d3c57402e2977dada34f9c12300af536839dc38c0beab8878f38a"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a10af20b82360ab00827f916a6058451b723b4e65030c5a18577c8b2de5b3389"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8d756e44e94489e49571086ef83b2bb8ce311e730092d2c34ca8f7d925cb20aa"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:90d558489962fd4918143277a773316e56c72da56ec7aa3dc3dbbe20fdfed15b"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6ac7ffc7ad6d040517be39eb591cac5ff87416c2537df6ba3cba3bae290c0fed"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7ed9e526742851e8d5cc9e6cf41427dfc6068d4f5a3bb03659444b4cabf6bc26"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8bdb58ff7ba23002a4c5808d608e4e6c687175724f54a5dade5fa8c67b604e4d"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:6b3251890fff30ee142c44144871185dbe13b11bab478a88887a639655be1068"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:b4a23f61ce87adf89be746c8a8974fe1c823c891d8f86eb218bb957c924bb143"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:efcb3f6676480691518c177e3b465bcddf57cea040302f9f4e6e191af91174d4"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win32.whl", hash = "sha256:d965bba47ddeec8cd560687584e88cf699fd28f192ceb452d1d7ee807c5597b7"}, + {file = "charset_normalizer-3.3.2-cp312-cp312-win_amd64.whl", hash = "sha256:96b02a3dc4381e5494fad39be677abcb5e6634bf7b4fa83a6dd3112607547001"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:95f2a5796329323b8f0512e09dbb7a1860c46a39da62ecb2324f116fa8fdc85c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c002b4ffc0be611f0d9da932eb0f704fe2602a9a949d1f738e4c34c75b0863d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a981a536974bbc7a512cf44ed14938cf01030a99e9b3a06dd59578882f06f985"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3287761bc4ee9e33561a7e058c72ac0938c4f57fe49a09eae428fd88aafe7bb6"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:42cb296636fcc8b0644486d15c12376cb9fa75443e00fb25de0b8602e64c1714"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0a55554a2fa0d408816b3b5cedf0045f4b8e1a6065aec45849de2d6f3f8e9786"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:c083af607d2515612056a31f0a8d9e0fcb5876b7bfc0abad3ecd275bc4ebc2d5"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:87d1351268731db79e0f8e745d92493ee2841c974128ef629dc518b937d9194c"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:bd8f7df7d12c2db9fab40bdd87a7c09b1530128315d047a086fa3ae3435cb3a8"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:c180f51afb394e165eafe4ac2936a14bee3eb10debc9d9e4db8958fe36afe711"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:8c622a5fe39a48f78944a87d4fb8a53ee07344641b0562c540d840748571b811"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win32.whl", hash = "sha256:db364eca23f876da6f9e16c9da0df51aa4f104a972735574842618b8c6d999d4"}, + {file = "charset_normalizer-3.3.2-cp37-cp37m-win_amd64.whl", hash = "sha256:86216b5cee4b06df986d214f664305142d9c76df9b6512be2738aa72a2048f99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:6463effa3186ea09411d50efc7d85360b38d5f09b870c48e4600f63af490e56a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:6c4caeef8fa63d06bd437cd4bdcf3ffefe6738fb1b25951440d80dc7df8c03ac"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:37e55c8e51c236f95b033f6fb391d7d7970ba5fe7ff453dad675e88cf303377a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fb69256e180cb6c8a894fee62b3afebae785babc1ee98b81cdf68bbca1987f33"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ae5f4161f18c61806f411a13b0310bea87f987c7d2ecdbdaad0e94eb2e404238"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b2b0a0c0517616b6869869f8c581d4eb2dd83a4d79e0ebcb7d373ef9956aeb0a"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:45485e01ff4d3630ec0d9617310448a8702f70e9c01906b0d0118bdf9d124cf2"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:eb00ed941194665c332bf8e078baf037d6c35d7c4f3102ea2d4f16ca94a26dc8"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:2127566c664442652f024c837091890cb1942c30937add288223dc895793f898"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:a50aebfa173e157099939b17f18600f72f84eed3049e743b68ad15bd69b6bf99"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:4d0d1650369165a14e14e1e47b372cfcb31d6ab44e6e33cb2d4e57265290044d"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:923c0c831b7cfcb071580d3f46c4baf50f174be571576556269530f4bbd79d04"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:06a81e93cd441c56a9b65d8e1d043daeb97a3d0856d177d5c90ba85acb3db087"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win32.whl", hash = "sha256:6ef1d82a3af9d3eecdba2321dc1b3c238245d890843e040e41e470ffa64c3e25"}, + {file = "charset_normalizer-3.3.2-cp38-cp38-win_amd64.whl", hash = "sha256:eb8821e09e916165e160797a6c17edda0679379a4be5c716c260e836e122f54b"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:c235ebd9baae02f1b77bcea61bce332cb4331dc3617d254df3323aa01ab47bd4"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:5b4c145409bef602a690e7cfad0a15a55c13320ff7a3ad7ca59c13bb8ba4d45d"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:68d1f8a9e9e37c1223b656399be5d6b448dea850bed7d0f87a8311f1ff3dabb0"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:22afcb9f253dac0696b5a4be4a1c0f8762f8239e21b99680099abd9b2b1b2269"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e27ad930a842b4c5eb8ac0016b0a54f5aebbe679340c26101df33424142c143c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:1f79682fbe303db92bc2b1136016a38a42e835d932bab5b3b1bfcfbf0640e519"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b261ccdec7821281dade748d088bb6e9b69e6d15b30652b74cbbac25e280b796"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:122c7fa62b130ed55f8f285bfd56d5f4b4a5b503609d181f9ad85e55c89f4185"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:d0eccceffcb53201b5bfebb52600a5fb483a20b61da9dbc885f8b103cbe7598c"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:9f96df6923e21816da7e0ad3fd47dd8f94b2a5ce594e00677c0013018b813458"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:7f04c839ed0b6b98b1a7501a002144b76c18fb1c1850c8b98d458ac269e26ed2"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:34d1c8da1e78d2e001f363791c98a272bb734000fcef47a491c1e3b0505657a8"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:ff8fa367d09b717b2a17a052544193ad76cd49979c805768879cb63d9ca50561"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win32.whl", hash = "sha256:aed38f6e4fb3f5d6bf81bfa990a07806be9d83cf7bacef998ab1a9bd660a581f"}, + {file = "charset_normalizer-3.3.2-cp39-cp39-win_amd64.whl", hash = "sha256:b01b88d45a6fcb69667cd6d2f7a9aeb4bf53760d7fc536bf679ec94fe9f3ff3d"}, + {file = "charset_normalizer-3.3.2-py3-none-any.whl", hash = "sha256:3e4d1f6587322d2788836a99c69062fbb091331ec940e02d12d179c1d53e25fc"}, +] + +[[package]] +name = "click" +version = "8.1.7" +description = "Composable command line interface toolkit" +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "click-8.1.7-py3-none-any.whl", hash = "sha256:ae74fb96c20a0277a1d615f1e4d73c8414f5a98db8b799a7931d1582f3390c28"}, + {file = "click-8.1.7.tar.gz", hash = "sha256:ca9853ad459e787e2192211578cc907e7594e294c7ccc834310722b41b9ca6de"}, +] + +[package.dependencies] +colorama = {version = "*", markers = "platform_system == \"Windows\""} + +[[package]] +name = "colorama" +version = "0.4.6" +description = "Cross-platform colored terminal text." +category = "main" +optional = false +python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*,>=2.7" +files = [ + {file = "colorama-0.4.6-py2.py3-none-any.whl", hash = "sha256:4f1d9991f5acc0ca119f9d443620b77f9d6b33703e51011c16baf57afb285fc6"}, + {file = "colorama-0.4.6.tar.gz", hash = "sha256:08695f5cb7ed6e0531a20572697297273c47b8cae5a63ffc6d6ed5c201be6e44"}, +] + +[[package]] +name = "curies" +version = "0.7.4" +description = "Idiomatic conversion between URIs and compact URIs (CURIEs)." +category = "main" +optional = false +python-versions = ">=3.8" +files = [ + {file = "curies-0.7.4-py3-none-any.whl", hash = "sha256:478f1818345988933d8bc6060f80a985401331f856ff8cf9bd98fa00d178ad39"}, + {file = "curies-0.7.4.tar.gz", hash = "sha256:d3aaf16644b26ac2605ff83c565ec7df0ba0b5f7425516047666e609ec5fb718"}, +] + +[package.dependencies] +pydantic = "*" +pytrie = "*" +requests = "*" + +[package.extras] +docs = ["sphinx", "sphinx-automodapi", "sphinx-rtd-theme"] +fastapi = ["defusedxml", "fastapi", "httpx", "python-multipart", "uvicorn"] +flask = ["defusedxml", "flask"] +pandas = ["pandas"] +rdflib = ["rdflib"] +tests = ["coverage", "pytest"] + +[[package]] +name = "distlib" +version = "0.3.8" +description = "Distribution utilities" +category = "dev" +optional = false +python-versions = "*" +files = [ + {file = "distlib-0.3.8-py2.py3-none-any.whl", hash = "sha256:034db59a0b96f8ca18035f36290806a9a6e6bd9d1ff91e45a7f172eb17e51784"}, + {file = "distlib-0.3.8.tar.gz", hash = "sha256:1530ea13e350031b6312d8580ddb6b27a104275a31106523b8f123787f494f64"}, +] + +[[package]] +name = "docutils" +version = "0.20.1" +description = "Docutils -- Python Documentation Utilities" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "docutils-0.20.1-py3-none-any.whl", hash = "sha256:96f387a2c5562db4476f09f13bbab2192e764cac08ebbf3a34a95d9b1e4a59d6"}, + {file = "docutils-0.20.1.tar.gz", hash = "sha256:f08a4e276c3a1583a86dce3e34aba3fe04d02bba2dd51ed16106244e8a923e3b"}, +] + +[[package]] +name = "exceptiongroup" +version = "1.2.0" +description = "Backport of PEP 654 (exception groups)" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "exceptiongroup-1.2.0-py3-none-any.whl", hash = "sha256:4bfd3996ac73b41e9b9628b04e079f193850720ea5945fc96a08633c66912f14"}, + {file = "exceptiongroup-1.2.0.tar.gz", hash = "sha256:91f5c769735f051a4290d52edd0858999b57e5876e9f85937691bd4c9fa3ed68"}, +] + +[package.extras] +test = ["pytest (>=6)"] + +[[package]] +name = "filelock" +version = "3.13.1" +description = "A platform independent file lock." +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "filelock-3.13.1-py3-none-any.whl", hash = "sha256:57dbda9b35157b05fb3e58ee91448612eb674172fab98ee235ccb0b5bee19a1c"}, + {file = "filelock-3.13.1.tar.gz", hash = "sha256:521f5f56c50f8426f5e03ad3b281b490a87ef15bc6c526f168290f0c7148d44e"}, +] + +[package.extras] +docs = ["furo (>=2023.9.10)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.24)"] +testing = ["covdefaults (>=2.3)", "coverage (>=7.3.2)", "diff-cover (>=8)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)", "pytest-timeout (>=2.2)"] +typing = ["typing-extensions (>=4.8)"] + +[[package]] +name = "identify" +version = "2.5.33" +description = "File identification library for Python" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "identify-2.5.33-py2.py3-none-any.whl", hash = "sha256:d40ce5fcd762817627670da8a7d8d8e65f24342d14539c59488dc603bf662e34"}, + {file = "identify-2.5.33.tar.gz", hash = "sha256:161558f9fe4559e1557e1bff323e8631f6a0e4837f7497767c1782832f16b62d"}, +] + +[package.extras] +license = ["ukkonen"] + +[[package]] +name = "idna" +version = "3.6" +description = "Internationalized Domain Names in Applications (IDNA)" +category = "main" +optional = false +python-versions = ">=3.5" +files = [ + {file = "idna-3.6-py3-none-any.whl", hash = "sha256:c05567e9c24a6b9faaa835c4821bad0590fbb9d5779e7caa6e1cc4978e7eb24f"}, + {file = "idna-3.6.tar.gz", hash = "sha256:9ecdbbd083b06798ae1e86adcbfe8ab1479cf864e4ee30fe4e46a003d12491ca"}, +] + +[[package]] +name = "imagesize" +version = "1.4.1" +description = "Getting image size from png/jpeg/jpeg2000/gif file" +category = "dev" +optional = false +python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" +files = [ + {file = "imagesize-1.4.1-py2.py3-none-any.whl", hash = "sha256:0d8d18d08f840c19d0ee7ca1fd82490fdc3729b7ac93f49870406ddde8ef8d8b"}, + {file = "imagesize-1.4.1.tar.gz", hash = "sha256:69150444affb9cb0d5cc5a92b3676f0b2fb7cd9ae39e947a5e11a36b4497cd4a"}, +] + +[[package]] +name = "importlib-metadata" +version = "4.13.0" +description = "Read metadata from Python packages" +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "importlib_metadata-4.13.0-py3-none-any.whl", hash = "sha256:8a8a81bcf996e74fee46f0d16bd3eaa382a7eb20fd82445c3ad11f4090334116"}, + {file = "importlib_metadata-4.13.0.tar.gz", hash = "sha256:dd0173e8f150d6815e098fd354f6414b0f079af4644ddfe90c71e2fc6174346d"}, +] + +[package.dependencies] +zipp = ">=0.5" + +[package.extras] +docs = ["furo", "jaraco.packaging (>=9)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (>=3.5)"] +perf = ["ipython"] +testing = ["flake8 (<5)", "flufl.flake8", "importlib-resources (>=1.3)", "packaging", "pyfakefs", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=1.3)", "pytest-flake8", "pytest-mypy (>=0.9.1)", "pytest-perf (>=0.9.2)"] + +[[package]] +name = "iniconfig" +version = "2.0.0" +description = "brain-dead simple config-ini parsing" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "iniconfig-2.0.0-py3-none-any.whl", hash = "sha256:b6a85871a79d2e3b22d2d1b94ac2824226a63c6b741c88f7ae975f18b6778374"}, + {file = "iniconfig-2.0.0.tar.gz", hash = "sha256:2d91e135bf72d31a410b17c16da610a82cb55f6b0477d1a902134b24a455b8b3"}, +] + +[[package]] +name = "isodate" +version = "0.6.1" +description = "An ISO 8601 date/time/duration parser and formatter" +category = "main" +optional = false +python-versions = "*" +files = [ + {file = "isodate-0.6.1-py2.py3-none-any.whl", hash = "sha256:0751eece944162659049d35f4f549ed815792b38793f07cf73381c1c87cbed96"}, + {file = "isodate-0.6.1.tar.gz", hash = "sha256:48c5881de7e8b0a0d648cb024c8062dc84e7b840ed81e864c7614fd3c127bde9"}, +] + +[package.dependencies] +six = "*" + +[[package]] +name = "jinja2" +version = "3.1.2" +description = "A very fast and expressive template engine." +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "Jinja2-3.1.2-py3-none-any.whl", hash = "sha256:6088930bfe239f0e6710546ab9c19c9ef35e29792895fed6e6e31a023a182a61"}, + {file = "Jinja2-3.1.2.tar.gz", hash = "sha256:31351a702a408a9e7595a8fc6150fc3f43bb6bf7e319770cbc0db9df9437e852"}, +] + +[package.dependencies] +MarkupSafe = ">=2.0" + +[package.extras] +i18n = ["Babel (>=2.7)"] + +[[package]] +name = "markdown-it-py" +version = "3.0.0" +description = "Python port of markdown-it. Markdown parsing, done right!" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "markdown-it-py-3.0.0.tar.gz", hash = "sha256:e3f60a94fa066dc52ec76661e37c851cb232d92f9886b15cb560aaada2df8feb"}, + {file = "markdown_it_py-3.0.0-py3-none-any.whl", hash = "sha256:355216845c60bd96232cd8d8c40e8f9765cc86f46880e43a8fd22dc1a1a8cab1"}, +] + +[package.dependencies] +mdurl = ">=0.1,<1.0" + +[package.extras] +benchmarking = ["psutil", "pytest", "pytest-benchmark"] +code-style = ["pre-commit (>=3.0,<4.0)"] +compare = ["commonmark (>=0.9,<1.0)", "markdown (>=3.4,<4.0)", "mistletoe (>=1.0,<2.0)", "mistune (>=2.0,<3.0)", "panflute (>=2.3,<3.0)"] +linkify = ["linkify-it-py (>=1,<3)"] +plugins = ["mdit-py-plugins"] +profiling = ["gprof2dot"] +rtd = ["jupyter_sphinx", "mdit-py-plugins", "myst-parser", "pyyaml", "sphinx", "sphinx-copybutton", "sphinx-design", "sphinx_book_theme"] +testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] + +[[package]] +name = "markupsafe" +version = "2.1.3" +description = "Safely add untrusted strings to HTML/XML markup." +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:cd0f502fe016460680cd20aaa5a76d241d6f35a1c3350c474bac1273803893fa"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:e09031c87a1e51556fdcb46e5bd4f59dfb743061cf93c4d6831bf894f125eb57"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:68e78619a61ecf91e76aa3e6e8e33fc4894a2bebe93410754bd28fce0a8a4f9f"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:65c1a9bcdadc6c28eecee2c119465aebff8f7a584dd719facdd9e825ec61ab52"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:525808b8019e36eb524b8c68acdd63a37e75714eac50e988180b169d64480a00"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:962f82a3086483f5e5f64dbad880d31038b698494799b097bc59c2edf392fce6"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:aa7bd130efab1c280bed0f45501b7c8795f9fdbeb02e965371bbef3523627779"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:c9c804664ebe8f83a211cace637506669e7890fec1b4195b505c214e50dd4eb7"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-win32.whl", hash = "sha256:10bbfe99883db80bdbaff2dcf681dfc6533a614f700da1287707e8a5d78a8431"}, + {file = "MarkupSafe-2.1.3-cp310-cp310-win_amd64.whl", hash = "sha256:1577735524cdad32f9f694208aa75e422adba74f1baee7551620e43a3141f559"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ad9e82fb8f09ade1c3e1b996a6337afac2b8b9e365f926f5a61aacc71adc5b3c"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:3c0fae6c3be832a0a0473ac912810b2877c8cb9d76ca48de1ed31e1c68386575"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b076b6226fb84157e3f7c971a47ff3a679d837cf338547532ab866c57930dbee"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bfce63a9e7834b12b87c64d6b155fdd9b3b96191b6bd334bf37db7ff1fe457f2"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:338ae27d6b8745585f87218a3f23f1512dbf52c26c28e322dbe54bcede54ccb9"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e4dd52d80b8c83fdce44e12478ad2e85c64ea965e75d66dbeafb0a3e77308fcc"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:df0be2b576a7abbf737b1575f048c23fb1d769f267ec4358296f31c2479db8f9"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:5bbe06f8eeafd38e5d0a4894ffec89378b6c6a625ff57e3028921f8ff59318ac"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-win32.whl", hash = "sha256:dd15ff04ffd7e05ffcb7fe79f1b98041b8ea30ae9234aed2a9168b5797c3effb"}, + {file = "MarkupSafe-2.1.3-cp311-cp311-win_amd64.whl", hash = "sha256:134da1eca9ec0ae528110ccc9e48041e0828d79f24121a1a146161103c76e686"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:f698de3fd0c4e6972b92290a45bd9b1536bffe8c6759c62471efaa8acb4c37bc"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:aa57bd9cf8ae831a362185ee444e15a93ecb2e344c8e52e4d721ea3ab6ef1823"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ffcc3f7c66b5f5b7931a5aa68fc9cecc51e685ef90282f4a82f0f5e9b704ad11"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:47d4f1c5f80fc62fdd7777d0d40a2e9dda0a05883ab11374334f6c4de38adffd"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1f67c7038d560d92149c060157d623c542173016c4babc0c1913cca0564b9939"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:9aad3c1755095ce347e26488214ef77e0485a3c34a50c5a5e2471dff60b9dd9c"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:14ff806850827afd6b07a5f32bd917fb7f45b046ba40c57abdb636674a8b559c"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8f9293864fe09b8149f0cc42ce56e3f0e54de883a9de90cd427f191c346eb2e1"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-win32.whl", hash = "sha256:715d3562f79d540f251b99ebd6d8baa547118974341db04f5ad06d5ea3eb8007"}, + {file = "MarkupSafe-2.1.3-cp312-cp312-win_amd64.whl", hash = "sha256:1b8dd8c3fd14349433c79fa8abeb573a55fc0fdd769133baac1f5e07abf54aeb"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:8e254ae696c88d98da6555f5ace2279cf7cd5b3f52be2b5cf97feafe883b58d2"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cb0932dc158471523c9637e807d9bfb93e06a95cbf010f1a38b98623b929ef2b"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9402b03f1a1b4dc4c19845e5c749e3ab82d5078d16a2a4c2cd2df62d57bb0707"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ca379055a47383d02a5400cb0d110cef0a776fc644cda797db0c5696cfd7e18e"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:b7ff0f54cb4ff66dd38bebd335a38e2c22c41a8ee45aa608efc890ac3e3931bc"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:c011a4149cfbcf9f03994ec2edffcb8b1dc2d2aede7ca243746df97a5d41ce48"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:56d9f2ecac662ca1611d183feb03a3fa4406469dafe241673d521dd5ae92a155"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-win32.whl", hash = "sha256:8758846a7e80910096950b67071243da3e5a20ed2546e6392603c096778d48e0"}, + {file = "MarkupSafe-2.1.3-cp37-cp37m-win_amd64.whl", hash = "sha256:787003c0ddb00500e49a10f2844fac87aa6ce977b90b0feaaf9de23c22508b24"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:2ef12179d3a291be237280175b542c07a36e7f60718296278d8593d21ca937d4"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:2c1b19b3aaacc6e57b7e25710ff571c24d6c3613a45e905b1fde04d691b98ee0"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8afafd99945ead6e075b973fefa56379c5b5c53fd8937dad92c662da5d8fd5ee"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8c41976a29d078bb235fea9b2ecd3da465df42a562910f9022f1a03107bd02be"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d080e0a5eb2529460b30190fcfcc4199bd7f827663f858a226a81bc27beaa97e"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:69c0f17e9f5a7afdf2cc9fb2d1ce6aabdb3bafb7f38017c0b77862bcec2bbad8"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:504b320cd4b7eff6f968eddf81127112db685e81f7e36e75f9f84f0df46041c3"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:42de32b22b6b804f42c5d98be4f7e5e977ecdd9ee9b660fda1a3edf03b11792d"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-win32.whl", hash = "sha256:ceb01949af7121f9fc39f7d27f91be8546f3fb112c608bc4029aef0bab86a2a5"}, + {file = "MarkupSafe-2.1.3-cp38-cp38-win_amd64.whl", hash = "sha256:1b40069d487e7edb2676d3fbdb2b0829ffa2cd63a2ec26c4938b2d34391b4ecc"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:8023faf4e01efadfa183e863fefde0046de576c6f14659e8782065bcece22198"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6b2b56950d93e41f33b4223ead100ea0fe11f8e6ee5f641eb753ce4b77a7042b"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9dcdfd0eaf283af041973bff14a2e143b8bd64e069f4c383416ecd79a81aab58"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:05fb21170423db021895e1ea1e1f3ab3adb85d1c2333cbc2310f2a26bc77272e"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:282c2cb35b5b673bbcadb33a585408104df04f14b2d9b01d4c345a3b92861c2c"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:ab4a0df41e7c16a1392727727e7998a467472d0ad65f3ad5e6e765015df08636"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:7ef3cb2ebbf91e330e3bb937efada0edd9003683db6b57bb108c4001f37a02ea"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:0a4e4a1aff6c7ac4cd55792abf96c915634c2b97e3cc1c7129578aa68ebd754e"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-win32.whl", hash = "sha256:fec21693218efe39aa7f8599346e90c705afa52c5b31ae019b2e57e8f6542bb2"}, + {file = "MarkupSafe-2.1.3-cp39-cp39-win_amd64.whl", hash = "sha256:3fd4abcb888d15a94f32b75d8fd18ee162ca0c064f35b11134be77050296d6ba"}, + {file = "MarkupSafe-2.1.3.tar.gz", hash = "sha256:af598ed32d6ae86f1b747b82783958b1a4ab8f617b06fe68795c7f026abbdcad"}, +] + +[[package]] +name = "mdit-py-plugins" +version = "0.4.0" +description = "Collection of plugins for markdown-it-py" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "mdit_py_plugins-0.4.0-py3-none-any.whl", hash = "sha256:b51b3bb70691f57f974e257e367107857a93b36f322a9e6d44ca5bf28ec2def9"}, + {file = "mdit_py_plugins-0.4.0.tar.gz", hash = "sha256:d8ab27e9aed6c38aa716819fedfde15ca275715955f8a185a8e1cf90fb1d2c1b"}, +] + +[package.dependencies] +markdown-it-py = ">=1.0.0,<4.0.0" + +[package.extras] +code-style = ["pre-commit"] +rtd = ["myst-parser", "sphinx-book-theme"] +testing = ["coverage", "pytest", "pytest-cov", "pytest-regressions"] + +[[package]] +name = "mdurl" +version = "0.1.2" +description = "Markdown URL utilities" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "mdurl-0.1.2-py3-none-any.whl", hash = "sha256:84008a41e51615a49fc9966191ff91509e3c40b939176e643fd50a5c2196b8f8"}, + {file = "mdurl-0.1.2.tar.gz", hash = "sha256:bb413d29f5eea38f31dd4754dd7377d4465116fb207585f97bf925588687c1ba"}, +] + +[[package]] +name = "myst-parser" +version = "2.0.0" +description = "An extended [CommonMark](https://spec.commonmark.org/) compliant parser," +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "myst_parser-2.0.0-py3-none-any.whl", hash = "sha256:7c36344ae39c8e740dad7fdabf5aa6fc4897a813083c6cc9990044eb93656b14"}, + {file = "myst_parser-2.0.0.tar.gz", hash = "sha256:ea929a67a6a0b1683cdbe19b8d2e724cd7643f8aa3e7bb18dd65beac3483bead"}, +] + +[package.dependencies] +docutils = ">=0.16,<0.21" +jinja2 = "*" +markdown-it-py = ">=3.0,<4.0" +mdit-py-plugins = ">=0.4,<1.0" +pyyaml = "*" +sphinx = ">=6,<8" + +[package.extras] +code-style = ["pre-commit (>=3.0,<4.0)"] +linkify = ["linkify-it-py (>=2.0,<3.0)"] +rtd = ["ipython", "pydata-sphinx-theme (==v0.13.0rc4)", "sphinx-autodoc2 (>=0.4.2,<0.5.0)", "sphinx-book-theme (==1.0.0rc2)", "sphinx-copybutton", "sphinx-design2", "sphinx-pyscript", "sphinx-tippy (>=0.3.1)", "sphinx-togglebutton", "sphinxext-opengraph (>=0.8.2,<0.9.0)", "sphinxext-rediraffe (>=0.2.7,<0.3.0)"] +testing = ["beautifulsoup4", "coverage[toml]", "pytest (>=7,<8)", "pytest-cov", "pytest-param-files (>=0.3.4,<0.4.0)", "pytest-regressions", "sphinx-pytest"] +testing-docutils = ["pygments", "pytest (>=7,<8)", "pytest-param-files (>=0.3.4,<0.4.0)"] + +[[package]] +name = "nodeenv" +version = "1.8.0" +description = "Node.js virtual environment builder" +category = "dev" +optional = false +python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*" +files = [ + {file = "nodeenv-1.8.0-py2.py3-none-any.whl", hash = "sha256:df865724bb3c3adc86b3876fa209771517b0cfe596beff01a92700e0e8be4cec"}, + {file = "nodeenv-1.8.0.tar.gz", hash = "sha256:d51e0c37e64fbf47d017feac3145cdbb58836d7eee8c6f6d3b6880c5456227d2"}, +] + +[package.dependencies] +setuptools = "*" + +[[package]] +name = "packaging" +version = "23.2" +description = "Core utilities for Python packages" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "packaging-23.2-py3-none-any.whl", hash = "sha256:8c491190033a9af7e1d931d0b5dacc2ef47509b34dd0de67ed209b5203fc88c7"}, + {file = "packaging-23.2.tar.gz", hash = "sha256:048fb0e9405036518eaaf48a55953c750c11e1a1b68e0dd1a9d62ed0c092cfc5"}, +] + +[[package]] +name = "platformdirs" +version = "4.1.0" +description = "A small Python package for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "platformdirs-4.1.0-py3-none-any.whl", hash = "sha256:11c8f37bcca40db96d8144522d925583bdb7a31f7b0e37e3ed4318400a8e2380"}, + {file = "platformdirs-4.1.0.tar.gz", hash = "sha256:906d548203468492d432bcb294d4bc2fff751bf84971fbb2c10918cc206ee420"}, +] + +[package.extras] +docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.1)", "sphinx-autodoc-typehints (>=1.24)"] +test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "pytest-mock (>=3.11.1)"] + +[[package]] +name = "pluggy" +version = "1.3.0" +description = "plugin and hook calling mechanisms for python" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "pluggy-1.3.0-py3-none-any.whl", hash = "sha256:d89c696a773f8bd377d18e5ecda92b7a3793cbe66c87060a6fb58c7b6e1061f7"}, + {file = "pluggy-1.3.0.tar.gz", hash = "sha256:cf61ae8f126ac6f7c451172cf30e3e43d3ca77615509771b3a984a0730651e12"}, +] + +[package.extras] +dev = ["pre-commit", "tox"] +testing = ["pytest", "pytest-benchmark"] + +[[package]] +name = "pre-commit" +version = "3.6.0" +description = "A framework for managing and maintaining multi-language pre-commit hooks." +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "pre_commit-3.6.0-py2.py3-none-any.whl", hash = "sha256:c255039ef399049a5544b6ce13d135caba8f2c28c3b4033277a788f434308376"}, + {file = "pre_commit-3.6.0.tar.gz", hash = "sha256:d30bad9abf165f7785c15a21a1f46da7d0677cb00ee7ff4c579fd38922efe15d"}, +] + +[package.dependencies] +cfgv = ">=2.0.0" +identify = ">=1.0.0" +nodeenv = ">=0.11.1" +pyyaml = ">=5.1" +virtualenv = ">=20.10.0" + +[[package]] +name = "pydantic" +version = "2.5.3" +description = "Data validation using Python type hints" +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "pydantic-2.5.3-py3-none-any.whl", hash = "sha256:d0caf5954bee831b6bfe7e338c32b9e30c85dfe080c843680783ac2b631673b4"}, + {file = "pydantic-2.5.3.tar.gz", hash = "sha256:b3ef57c62535b0941697cce638c08900d87fcb67e29cfa99e8a68f747f393f7a"}, +] + +[package.dependencies] +annotated-types = ">=0.4.0" +pydantic-core = "2.14.6" +typing-extensions = ">=4.6.1" + +[package.extras] +email = ["email-validator (>=2.0.0)"] + +[[package]] +name = "pydantic-core" +version = "2.14.6" +description = "" +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "pydantic_core-2.14.6-cp310-cp310-macosx_10_7_x86_64.whl", hash = "sha256:72f9a942d739f09cd42fffe5dc759928217649f070056f03c70df14f5770acf9"}, + {file = "pydantic_core-2.14.6-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:6a31d98c0d69776c2576dda4b77b8e0c69ad08e8b539c25c7d0ca0dc19a50d6c"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5aa90562bc079c6c290f0512b21768967f9968e4cfea84ea4ff5af5d917016e4"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:370ffecb5316ed23b667d99ce4debe53ea664b99cc37bfa2af47bc769056d534"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:f85f3843bdb1fe80e8c206fe6eed7a1caeae897e496542cee499c374a85c6e08"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:9862bf828112e19685b76ca499b379338fd4c5c269d897e218b2ae8fcb80139d"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:036137b5ad0cb0004c75b579445a1efccd072387a36c7f217bb8efd1afbe5245"}, + {file = "pydantic_core-2.14.6-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:92879bce89f91f4b2416eba4429c7b5ca22c45ef4a499c39f0c5c69257522c7c"}, + {file = "pydantic_core-2.14.6-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:0c08de15d50fa190d577e8591f0329a643eeaed696d7771760295998aca6bc66"}, + {file = "pydantic_core-2.14.6-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:36099c69f6b14fc2c49d7996cbf4f87ec4f0e66d1c74aa05228583225a07b590"}, + {file = "pydantic_core-2.14.6-cp310-none-win32.whl", hash = "sha256:7be719e4d2ae6c314f72844ba9d69e38dff342bc360379f7c8537c48e23034b7"}, + {file = "pydantic_core-2.14.6-cp310-none-win_amd64.whl", hash = "sha256:36fa402dcdc8ea7f1b0ddcf0df4254cc6b2e08f8cd80e7010d4c4ae6e86b2a87"}, + {file = "pydantic_core-2.14.6-cp311-cp311-macosx_10_7_x86_64.whl", hash = "sha256:dea7fcd62915fb150cdc373212141a30037e11b761fbced340e9db3379b892d4"}, + {file = "pydantic_core-2.14.6-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:ffff855100bc066ff2cd3aa4a60bc9534661816b110f0243e59503ec2df38421"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1b027c86c66b8627eb90e57aee1f526df77dc6d8b354ec498be9a757d513b92b"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:00b1087dabcee0b0ffd104f9f53d7d3eaddfaa314cdd6726143af6bc713aa27e"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:75ec284328b60a4e91010c1acade0c30584f28a1f345bc8f72fe8b9e46ec6a96"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7e1f4744eea1501404b20b0ac059ff7e3f96a97d3e3f48ce27a139e053bb370b"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b2602177668f89b38b9f84b7b3435d0a72511ddef45dc14446811759b82235a1"}, + {file = "pydantic_core-2.14.6-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6c8edaea3089bf908dd27da8f5d9e395c5b4dc092dbcce9b65e7156099b4b937"}, + {file = "pydantic_core-2.14.6-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:478e9e7b360dfec451daafe286998d4a1eeaecf6d69c427b834ae771cad4b622"}, + {file = "pydantic_core-2.14.6-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:b6ca36c12a5120bad343eef193cc0122928c5c7466121da7c20f41160ba00ba2"}, + {file = "pydantic_core-2.14.6-cp311-none-win32.whl", hash = "sha256:2b8719037e570639e6b665a4050add43134d80b687288ba3ade18b22bbb29dd2"}, + {file = "pydantic_core-2.14.6-cp311-none-win_amd64.whl", hash = "sha256:78ee52ecc088c61cce32b2d30a826f929e1708f7b9247dc3b921aec367dc1b23"}, + {file = "pydantic_core-2.14.6-cp311-none-win_arm64.whl", hash = "sha256:a19b794f8fe6569472ff77602437ec4430f9b2b9ec7a1105cfd2232f9ba355e6"}, + {file = "pydantic_core-2.14.6-cp312-cp312-macosx_10_7_x86_64.whl", hash = "sha256:667aa2eac9cd0700af1ddb38b7b1ef246d8cf94c85637cbb03d7757ca4c3fdec"}, + {file = "pydantic_core-2.14.6-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:cdee837710ef6b56ebd20245b83799fce40b265b3b406e51e8ccc5b85b9099b7"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2c5bcf3414367e29f83fd66f7de64509a8fd2368b1edf4351e862910727d3e51"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:26a92ae76f75d1915806b77cf459811e772d8f71fd1e4339c99750f0e7f6324f"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a983cca5ed1dd9a35e9e42ebf9f278d344603bfcb174ff99a5815f953925140a"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cb92f9061657287eded380d7dc455bbf115430b3aa4741bdc662d02977e7d0af"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e4ace1e220b078c8e48e82c081e35002038657e4b37d403ce940fa679e57113b"}, + {file = "pydantic_core-2.14.6-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:ef633add81832f4b56d3b4c9408b43d530dfca29e68fb1b797dcb861a2c734cd"}, + {file = "pydantic_core-2.14.6-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7e90d6cc4aad2cc1f5e16ed56e46cebf4877c62403a311af20459c15da76fd91"}, + {file = "pydantic_core-2.14.6-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:e8a5ac97ea521d7bde7621d86c30e86b798cdecd985723c4ed737a2aa9e77d0c"}, + {file = "pydantic_core-2.14.6-cp312-none-win32.whl", hash = "sha256:f27207e8ca3e5e021e2402ba942e5b4c629718e665c81b8b306f3c8b1ddbb786"}, + {file = "pydantic_core-2.14.6-cp312-none-win_amd64.whl", hash = "sha256:b3e5fe4538001bb82e2295b8d2a39356a84694c97cb73a566dc36328b9f83b40"}, + {file = "pydantic_core-2.14.6-cp312-none-win_arm64.whl", hash = "sha256:64634ccf9d671c6be242a664a33c4acf12882670b09b3f163cd00a24cffbd74e"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-macosx_10_7_x86_64.whl", hash = "sha256:24368e31be2c88bd69340fbfe741b405302993242ccb476c5c3ff48aeee1afe0"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-macosx_11_0_arm64.whl", hash = "sha256:e33b0834f1cf779aa839975f9d8755a7c2420510c0fa1e9fa0497de77cd35d2c"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6af4b3f52cc65f8a0bc8b1cd9676f8c21ef3e9132f21fed250f6958bd7223bed"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d15687d7d7f40333bd8266f3814c591c2e2cd263fa2116e314f60d82086e353a"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:095b707bb287bfd534044166ab767bec70a9bba3175dcdc3371782175c14e43c"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:94fc0e6621e07d1e91c44e016cc0b189b48db053061cc22d6298a611de8071bb"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1ce830e480f6774608dedfd4a90c42aac4a7af0a711f1b52f807130c2e434c06"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a306cdd2ad3a7d795d8e617a58c3a2ed0f76c8496fb7621b6cd514eb1532cae8"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:2f5fa187bde8524b1e37ba894db13aadd64faa884657473b03a019f625cee9a8"}, + {file = "pydantic_core-2.14.6-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:438027a975cc213a47c5d70672e0d29776082155cfae540c4e225716586be75e"}, + {file = "pydantic_core-2.14.6-cp37-none-win32.whl", hash = "sha256:f96ae96a060a8072ceff4cfde89d261837b4294a4f28b84a28765470d502ccc6"}, + {file = "pydantic_core-2.14.6-cp37-none-win_amd64.whl", hash = "sha256:e646c0e282e960345314f42f2cea5e0b5f56938c093541ea6dbf11aec2862391"}, + {file = "pydantic_core-2.14.6-cp38-cp38-macosx_10_7_x86_64.whl", hash = "sha256:db453f2da3f59a348f514cfbfeb042393b68720787bbef2b4c6068ea362c8149"}, + {file = "pydantic_core-2.14.6-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:3860c62057acd95cc84044e758e47b18dcd8871a328ebc8ccdefd18b0d26a21b"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:36026d8f99c58d7044413e1b819a67ca0e0b8ebe0f25e775e6c3d1fabb3c38fb"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:8ed1af8692bd8d2a29d702f1a2e6065416d76897d726e45a1775b1444f5928a7"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:314ccc4264ce7d854941231cf71b592e30d8d368a71e50197c905874feacc8a8"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:982487f8931067a32e72d40ab6b47b1628a9c5d344be7f1a4e668fb462d2da42"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2dbe357bc4ddda078f79d2a36fc1dd0494a7f2fad83a0a684465b6f24b46fe80"}, + {file = "pydantic_core-2.14.6-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:2f6ffc6701a0eb28648c845f4945a194dc7ab3c651f535b81793251e1185ac3d"}, + {file = "pydantic_core-2.14.6-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:7f5025db12fc6de7bc1104d826d5aee1d172f9ba6ca936bf6474c2148ac336c1"}, + {file = "pydantic_core-2.14.6-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:dab03ed811ed1c71d700ed08bde8431cf429bbe59e423394f0f4055f1ca0ea60"}, + {file = "pydantic_core-2.14.6-cp38-none-win32.whl", hash = "sha256:dfcbebdb3c4b6f739a91769aea5ed615023f3c88cb70df812849aef634c25fbe"}, + {file = "pydantic_core-2.14.6-cp38-none-win_amd64.whl", hash = "sha256:99b14dbea2fdb563d8b5a57c9badfcd72083f6006caf8e126b491519c7d64ca8"}, + {file = "pydantic_core-2.14.6-cp39-cp39-macosx_10_7_x86_64.whl", hash = "sha256:4ce8299b481bcb68e5c82002b96e411796b844d72b3e92a3fbedfe8e19813eab"}, + {file = "pydantic_core-2.14.6-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:b9a9d92f10772d2a181b5ca339dee066ab7d1c9a34ae2421b2a52556e719756f"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fd9e98b408384989ea4ab60206b8e100d8687da18b5c813c11e92fd8212a98e0"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:4f86f1f318e56f5cbb282fe61eb84767aee743ebe32c7c0834690ebea50c0a6b"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:86ce5fcfc3accf3a07a729779d0b86c5d0309a4764c897d86c11089be61da160"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3dcf1978be02153c6a31692d4fbcc2a3f1db9da36039ead23173bc256ee3b91b"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:eedf97be7bc3dbc8addcef4142f4b4164066df0c6f36397ae4aaed3eb187d8ab"}, + {file = "pydantic_core-2.14.6-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:d5f916acf8afbcab6bacbb376ba7dc61f845367901ecd5e328fc4d4aef2fcab0"}, + {file = "pydantic_core-2.14.6-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:8a14c192c1d724c3acbfb3f10a958c55a2638391319ce8078cb36c02283959b9"}, + {file = "pydantic_core-2.14.6-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:0348b1dc6b76041516e8a854ff95b21c55f5a411c3297d2ca52f5528e49d8411"}, + {file = "pydantic_core-2.14.6-cp39-none-win32.whl", hash = "sha256:de2a0645a923ba57c5527497daf8ec5df69c6eadf869e9cd46e86349146e5975"}, + {file = "pydantic_core-2.14.6-cp39-none-win_amd64.whl", hash = "sha256:aca48506a9c20f68ee61c87f2008f81f8ee99f8d7f0104bff3c47e2d148f89d9"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-macosx_10_7_x86_64.whl", hash = "sha256:d5c28525c19f5bb1e09511669bb57353d22b94cf8b65f3a8d141c389a55dec95"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:78d0768ee59baa3de0f4adac9e3748b4b1fffc52143caebddfd5ea2961595277"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8b93785eadaef932e4fe9c6e12ba67beb1b3f1e5495631419c784ab87e975670"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a874f21f87c485310944b2b2734cd6d318765bcbb7515eead33af9641816506e"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b89f4477d915ea43b4ceea6756f63f0288941b6443a2b28c69004fe07fde0d0d"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-musllinux_1_1_aarch64.whl", hash = "sha256:172de779e2a153d36ee690dbc49c6db568d7b33b18dc56b69a7514aecbcf380d"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-musllinux_1_1_x86_64.whl", hash = "sha256:dfcebb950aa7e667ec226a442722134539e77c575f6cfaa423f24371bb8d2e94"}, + {file = "pydantic_core-2.14.6-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:55a23dcd98c858c0db44fc5c04fc7ed81c4b4d33c653a7c45ddaebf6563a2f66"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-macosx_10_7_x86_64.whl", hash = "sha256:4241204e4b36ab5ae466ecec5c4c16527a054c69f99bba20f6f75232a6a534e2"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e574de99d735b3fc8364cba9912c2bec2da78775eba95cbb225ef7dda6acea24"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1302a54f87b5cd8528e4d6d1bf2133b6aa7c6122ff8e9dc5220fbc1e07bffebd"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:f8e81e4b55930e5ffab4a68db1af431629cf2e4066dbdbfef65348b8ab804ea8"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-musllinux_1_1_aarch64.whl", hash = "sha256:c99462ffc538717b3e60151dfaf91125f637e801f5ab008f81c402f1dff0cd0f"}, + {file = "pydantic_core-2.14.6-pp37-pypy37_pp73-musllinux_1_1_x86_64.whl", hash = "sha256:e4cf2d5829f6963a5483ec01578ee76d329eb5caf330ecd05b3edd697e7d768a"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-macosx_10_7_x86_64.whl", hash = "sha256:cf10b7d58ae4a1f07fccbf4a0a956d705356fea05fb4c70608bb6fa81d103cda"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:399ac0891c284fa8eb998bcfa323f2234858f5d2efca3950ae58c8f88830f145"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9c6a5c79b28003543db3ba67d1df336f253a87d3112dac3a51b94f7d48e4c0e1"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:599c87d79cab2a6a2a9df4aefe0455e61e7d2aeede2f8577c1b7c0aec643ee8e"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:43e166ad47ba900f2542a80d83f9fc65fe99eb63ceec4debec160ae729824052"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-musllinux_1_1_aarch64.whl", hash = "sha256:3a0b5db001b98e1c649dd55afa928e75aa4087e587b9524a4992316fa23c9fba"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-musllinux_1_1_x86_64.whl", hash = "sha256:747265448cb57a9f37572a488a57d873fd96bf51e5bb7edb52cfb37124516da4"}, + {file = "pydantic_core-2.14.6-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:7ebe3416785f65c28f4f9441e916bfc8a54179c8dea73c23023f7086fa601c5d"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-macosx_10_7_x86_64.whl", hash = "sha256:86c963186ca5e50d5c8287b1d1c9d3f8f024cbe343d048c5bd282aec2d8641f2"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:e0641b506486f0b4cd1500a2a65740243e8670a2549bb02bc4556a83af84ae03"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:71d72ca5eaaa8d38c8df16b7deb1a2da4f650c41b58bb142f3fb75d5ad4a611f"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:27e524624eace5c59af499cd97dc18bb201dc6a7a2da24bfc66ef151c69a5f2a"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a3dde6cac75e0b0902778978d3b1646ca9f438654395a362cb21d9ad34b24acf"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-musllinux_1_1_aarch64.whl", hash = "sha256:00646784f6cd993b1e1c0e7b0fdcbccc375d539db95555477771c27555e3c556"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-musllinux_1_1_x86_64.whl", hash = "sha256:23598acb8ccaa3d1d875ef3b35cb6376535095e9405d91a3d57a8c7db5d29341"}, + {file = "pydantic_core-2.14.6-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:7f41533d7e3cf9520065f610b41ac1c76bc2161415955fbcead4981b22c7611e"}, + {file = "pydantic_core-2.14.6.tar.gz", hash = "sha256:1fd0c1d395372843fba13a51c28e3bb9d59bd7aebfeb17358ffaaa1e4dbbe948"}, +] + +[package.dependencies] +typing-extensions = ">=4.6.0,<4.7.0 || >4.7.0" + +[[package]] +name = "pygments" +version = "2.17.2" +description = "Pygments is a syntax highlighting package written in Python." +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "pygments-2.17.2-py3-none-any.whl", hash = "sha256:b27c2826c47d0f3219f29554824c30c5e8945175d888647acd804ddd04af846c"}, + {file = "pygments-2.17.2.tar.gz", hash = "sha256:da46cec9fd2de5be3a8a784f434e4c4ab670b4ff54d605c4c2717e9d49c4c367"}, +] + +[package.extras] +plugins = ["importlib-metadata"] +windows-terminal = ["colorama (>=0.4.6)"] + +[[package]] +name = "pyoxigraph" +version = "0.3.22" +description = "Python bindings of Oxigraph, a SPARQL database and RDF toolkit" +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "pyoxigraph-0.3.22-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:49609d3c8d6637193872181e8f9d8b85ae304b3d944b1d50a2e363bd4d3ad878"}, + {file = "pyoxigraph-0.3.22-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fb0a0f2bd4348e9b92fbb92c71f449b7e42f6ac6fb67ce5797cbd8ab3b673c86"}, + {file = "pyoxigraph-0.3.22-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:5e9cd5931488feb3bdd189094a746d2d0c05c5364a2d93a1b748d2bb91145ab8"}, + {file = "pyoxigraph-0.3.22-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:95c43d3da6d43460368f0a5f4b497412b0d6509e55eb12245b0f173248118656"}, + {file = "pyoxigraph-0.3.22-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f9d466025962895e67a7c4a4ba303fe23a911f99d2158f5f53eb50f56949125f"}, + {file = "pyoxigraph-0.3.22-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:90dc1e4010e2011c5440b7a3832153a14f52257e12a90a0d7fc6ed16e88a7961"}, + {file = "pyoxigraph-0.3.22-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:10c02f543fa83338e93308cad7868137ccadffc3330827deebac715333070091"}, + {file = "pyoxigraph-0.3.22-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:469039b1ed6a31fef59b8b6c2ef5c836dd147944aa7120b4f4e6db4fd5abf60a"}, + {file = "pyoxigraph-0.3.22-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f2baadd8dba65ff91bdcdf85e57d928806d94612b85da58d64526f0f1d5cd4df"}, + {file = "pyoxigraph-0.3.22-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4f7e217e82e541f7df4697705c7cbfbd62e019c50786669647cb261445d75215"}, + {file = "pyoxigraph-0.3.22-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:963bc825e34d7238bffb942572ac0e59a6512e7d33ec8f898f495964a8dac1de"}, + {file = "pyoxigraph-0.3.22-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:c99cd7d305a5f154d6fa7eca3a93b153ac94ad2a4aff6c404ec56db38d538ea4"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-macosx_10_14_x86_64.macosx_11_0_arm64.macosx_10_14_universal2.whl", hash = "sha256:32d5630c9fb3d7b819a25401b3afdbd01dbfc9624b1519d41216622fe3af52e6"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-macosx_10_14_x86_64.whl", hash = "sha256:6368f24bc236a6055171f4a80cb63b9ad76fcbdbcb4a3ef981eb6d86d8975c11"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-macosx_11_0_arm64.whl", hash = "sha256:821e1103cf1e8f12d0738cf1b2625c8374758e33075ca67161ead3669f53e4cb"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:630f1090d67d1199c86f358094289816e0c00a21000164cfe06499c8689f8b9e"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1aca511243209005da32470bbfec9e023ac31095bbeaa8cedabe0a652adce38c"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-musllinux_1_1_aarch64.whl", hash = "sha256:ab329df388865afa9a934f1eac2e75264b220962a21bbcded6cb7ead96d1f1dd"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-musllinux_1_1_x86_64.whl", hash = "sha256:60b7f13331b91827e2edfa8633ffb7e3bfc8630b708578fb0bc8d43c76754f20"}, + {file = "pyoxigraph-0.3.22-cp37-abi3-win_amd64.whl", hash = "sha256:9a4ffd8ce28c3e8ce888662e0d9e9155e5226ecd8cd967f3c46391cf266c4c1d"}, + {file = "pyoxigraph-0.3.22-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c4b8fde463e507c394f5b165a7a2571fd74028a8b343c161d81f63eb83a7d7c7"}, + {file = "pyoxigraph-0.3.22-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d6ad3d8037af4ab5b1de75999fd2ba1b93becf24a9ee5e46ea0ee20a4efe270b"}, + {file = "pyoxigraph-0.3.22-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:26c229a061372b5c52f2b85f30fae028a69a8ba71654b402cc4099264d04ca58"}, + {file = "pyoxigraph-0.3.22-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:9211b2a9d9f13875aec4acede8e1395ff617d64ac7cff0f80cbaf4c08fc8b648"}, + {file = "pyoxigraph-0.3.22-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:00645cb370ebafc79cfecd08c5ac4656469af9ec450cb9207d94f6939e26ba0e"}, + {file = "pyoxigraph-0.3.22-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e6d55de26adabe7d6fece9e1dad4556d648c4166ee79d65e4f7c64acd898656e"}, + {file = "pyoxigraph-0.3.22-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:1427e62704bce0a1bc03661efd4d6a7c85cf548824e5e48b17efb4509bd034ad"}, + {file = "pyoxigraph-0.3.22-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:e2bebace02e29d1cf3bc324815058f50b2ff59980a02193280a89c905d8437ab"}, + {file = "pyoxigraph-0.3.22-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9e363d0b788f870b1008bb75e41a31b01a6277d9a7cc028ed6534a23bba69e60"}, + {file = "pyoxigraph-0.3.22-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0508eb4515ce1b3c7548d3f9382c1b366f6602c2e01e9e036c20e730d8fece47"}, + {file = "pyoxigraph-0.3.22-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:db64bdef54d5d1c0d51bec08d811cd1ff86c7608e24b9362523ff94fb3b46117"}, + {file = "pyoxigraph-0.3.22-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:33ca01c1727e079af3335883d75e5390619e7d2ece813c8065ba1cbcd71d17a3"}, + {file = "pyoxigraph-0.3.22-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:55322d5b9b852c4813c293575aa5e676cec19c617d0aad5ae7ce47c49b113f0b"}, + {file = "pyoxigraph-0.3.22-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3397138f3a6d2c3299250ebde2bca7c95a25b58b29009eb0b29c2f5d1438d954"}, + {file = "pyoxigraph-0.3.22-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1031f91a0e75c6cd3ae9008f2d5bcdd7b2832bc1354f40dcab04ef7957f1140b"}, + {file = "pyoxigraph-0.3.22-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:16f44f28fff015d310840c9744cdaaa31f6c1a548918c2316873f10bba76e17f"}, + {file = "pyoxigraph-0.3.22.tar.gz", hash = "sha256:430b18cb3cec37b8c71cee0f70ea10601b9e479f1b8c364861660ae9f8629fd9"}, +] + +[[package]] +name = "pyparsing" +version = "3.1.1" +description = "pyparsing module - Classes and methods to define and execute parsing grammars" +category = "main" +optional = false +python-versions = ">=3.6.8" +files = [ + {file = "pyparsing-3.1.1-py3-none-any.whl", hash = "sha256:32c7c0b711493c72ff18a981d24f28aaf9c1fb7ed5e9667c9e84e3db623bdbfb"}, + {file = "pyparsing-3.1.1.tar.gz", hash = "sha256:ede28a1a32462f5a9705e07aea48001a08f7cf81a021585011deba701581a0db"}, +] + +[package.extras] +diagrams = ["jinja2", "railroad-diagrams"] + +[[package]] +name = "pyproject-api" +version = "1.6.1" +description = "API to interact with the python pyproject.toml based projects" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "pyproject_api-1.6.1-py3-none-any.whl", hash = "sha256:4c0116d60476b0786c88692cf4e325a9814965e2469c5998b830bba16b183675"}, + {file = "pyproject_api-1.6.1.tar.gz", hash = "sha256:1817dc018adc0d1ff9ca1ed8c60e1623d5aaca40814b953af14a9cf9a5cae538"}, +] + +[package.dependencies] +packaging = ">=23.1" +tomli = {version = ">=2.0.1", markers = "python_version < \"3.11\""} + +[package.extras] +docs = ["furo (>=2023.8.19)", "sphinx (<7.2)", "sphinx-autodoc-typehints (>=1.24)"] +testing = ["covdefaults (>=2.3)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "pytest-mock (>=3.11.1)", "setuptools (>=68.1.2)", "wheel (>=0.41.2)"] + +[[package]] +name = "pytest" +version = "7.4.4" +description = "pytest: simple powerful testing with Python" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "pytest-7.4.4-py3-none-any.whl", hash = "sha256:b090cdf5ed60bf4c45261be03239c2c1c22df034fbffe691abe93cd80cea01d8"}, + {file = "pytest-7.4.4.tar.gz", hash = "sha256:2cf0005922c6ace4a3e2ec8b4080eb0d9753fdc93107415332f50ce9e7994280"}, +] + +[package.dependencies] +colorama = {version = "*", markers = "sys_platform == \"win32\""} +exceptiongroup = {version = ">=1.0.0rc8", markers = "python_version < \"3.11\""} +iniconfig = "*" +packaging = "*" +pluggy = ">=0.12,<2.0" +tomli = {version = ">=1.0.0", markers = "python_version < \"3.11\""} + +[package.extras] +testing = ["argcomplete", "attrs (>=19.2.0)", "hypothesis (>=3.56)", "mock", "nose", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] + +[[package]] +name = "pytrie" +version = "0.4.0" +description = "A pure Python implementation of the trie data structure." +category = "main" +optional = false +python-versions = "*" +files = [ + {file = "PyTrie-0.4.0.tar.gz", hash = "sha256:8f4488f402d3465993fb6b6efa09866849ed8cda7903b50647b7d0342b805379"}, +] + +[package.dependencies] +sortedcontainers = "*" + +[[package]] +name = "pyyaml" +version = "6.0.1" +description = "YAML parser and emitter for Python" +category = "dev" +optional = false +python-versions = ">=3.6" +files = [ + {file = "PyYAML-6.0.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:d858aa552c999bc8a8d57426ed01e40bef403cd8ccdd0fc5f6f04a00414cac2a"}, + {file = "PyYAML-6.0.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:fd66fc5d0da6d9815ba2cebeb4205f95818ff4b79c3ebe268e75d961704af52f"}, + {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:69b023b2b4daa7548bcfbd4aa3da05b3a74b772db9e23b982788168117739938"}, + {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:81e0b275a9ecc9c0c0c07b4b90ba548307583c125f54d5b6946cfee6360c733d"}, + {file = "PyYAML-6.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba336e390cd8e4d1739f42dfe9bb83a3cc2e80f567d8805e11b46f4a943f5515"}, + {file = "PyYAML-6.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:326c013efe8048858a6d312ddd31d56e468118ad4cdeda36c719bf5bb6192290"}, + {file = "PyYAML-6.0.1-cp310-cp310-win32.whl", hash = "sha256:bd4af7373a854424dabd882decdc5579653d7868b8fb26dc7d0e99f823aa5924"}, + {file = "PyYAML-6.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:fd1592b3fdf65fff2ad0004b5e363300ef59ced41c2e6b3a99d4089fa8c5435d"}, + {file = "PyYAML-6.0.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:6965a7bc3cf88e5a1c3bd2e0b5c22f8d677dc88a455344035f03399034eb3007"}, + {file = "PyYAML-6.0.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:f003ed9ad21d6a4713f0a9b5a7a0a79e08dd0f221aff4525a2be4c346ee60aab"}, + {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:42f8152b8dbc4fe7d96729ec2b99c7097d656dc1213a3229ca5383f973a5ed6d"}, + {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:062582fca9fabdd2c8b54a3ef1c978d786e0f6b3a1510e0ac93ef59e0ddae2bc"}, + {file = "PyYAML-6.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d2b04aac4d386b172d5b9692e2d2da8de7bfb6c387fa4f801fbf6fb2e6ba4673"}, + {file = "PyYAML-6.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:e7d73685e87afe9f3b36c799222440d6cf362062f78be1013661b00c5c6f678b"}, + {file = "PyYAML-6.0.1-cp311-cp311-win32.whl", hash = "sha256:1635fd110e8d85d55237ab316b5b011de701ea0f29d07611174a1b42f1444741"}, + {file = "PyYAML-6.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:bf07ee2fef7014951eeb99f56f39c9bb4af143d8aa3c21b1677805985307da34"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:855fb52b0dc35af121542a76b9a84f8d1cd886ea97c84703eaa6d88e37a2ad28"}, + {file = "PyYAML-6.0.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:40df9b996c2b73138957fe23a16a4f0ba614f4c0efce1e9406a184b6d07fa3a9"}, + {file = "PyYAML-6.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6c22bec3fbe2524cde73d7ada88f6566758a8f7227bfbf93a408a9d86bcc12a0"}, + {file = "PyYAML-6.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:8d4e9c88387b0f5c7d5f281e55304de64cf7f9c0021a3525bd3b1c542da3b0e4"}, + {file = "PyYAML-6.0.1-cp312-cp312-win32.whl", hash = "sha256:d483d2cdf104e7c9fa60c544d92981f12ad66a457afae824d146093b8c294c54"}, + {file = "PyYAML-6.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:0d3304d8c0adc42be59c5f8a4d9e3d7379e6955ad754aa9d6ab7a398b59dd1df"}, + {file = "PyYAML-6.0.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:50550eb667afee136e9a77d6dc71ae76a44df8b3e51e41b77f6de2932bfe0f47"}, + {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1fe35611261b29bd1de0070f0b2f47cb6ff71fa6595c077e42bd0c419fa27b98"}, + {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:704219a11b772aea0d8ecd7058d0082713c3562b4e271b849ad7dc4a5c90c13c"}, + {file = "PyYAML-6.0.1-cp36-cp36m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:afd7e57eddb1a54f0f1a974bc4391af8bcce0b444685d936840f125cf046d5bd"}, + {file = "PyYAML-6.0.1-cp36-cp36m-win32.whl", hash = "sha256:fca0e3a251908a499833aa292323f32437106001d436eca0e6e7833256674585"}, + {file = "PyYAML-6.0.1-cp36-cp36m-win_amd64.whl", hash = "sha256:f22ac1c3cac4dbc50079e965eba2c1058622631e526bd9afd45fedd49ba781fa"}, + {file = "PyYAML-6.0.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:b1275ad35a5d18c62a7220633c913e1b42d44b46ee12554e5fd39c70a243d6a3"}, + {file = "PyYAML-6.0.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:18aeb1bf9a78867dc38b259769503436b7c72f7a1f1f4c93ff9a17de54319b27"}, + {file = "PyYAML-6.0.1-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:596106435fa6ad000c2991a98fa58eeb8656ef2325d7e158344fb33864ed87e3"}, + {file = "PyYAML-6.0.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:baa90d3f661d43131ca170712d903e6295d1f7a0f595074f151c0aed377c9b9c"}, + {file = "PyYAML-6.0.1-cp37-cp37m-win32.whl", hash = "sha256:9046c58c4395dff28dd494285c82ba00b546adfc7ef001486fbf0324bc174fba"}, + {file = "PyYAML-6.0.1-cp37-cp37m-win_amd64.whl", hash = "sha256:4fb147e7a67ef577a588a0e2c17b6db51dda102c71de36f8549b6816a96e1867"}, + {file = "PyYAML-6.0.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:1d4c7e777c441b20e32f52bd377e0c409713e8bb1386e1099c2415f26e479595"}, + {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a0cd17c15d3bb3fa06978b4e8958dcdc6e0174ccea823003a106c7d4d7899ac5"}, + {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:28c119d996beec18c05208a8bd78cbe4007878c6dd15091efb73a30e90539696"}, + {file = "PyYAML-6.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7e07cbde391ba96ab58e532ff4803f79c4129397514e1413a7dc761ccd755735"}, + {file = "PyYAML-6.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:49a183be227561de579b4a36efbb21b3eab9651dd81b1858589f796549873dd6"}, + {file = "PyYAML-6.0.1-cp38-cp38-win32.whl", hash = "sha256:184c5108a2aca3c5b3d3bf9395d50893a7ab82a38004c8f61c258d4428e80206"}, + {file = "PyYAML-6.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:1e2722cc9fbb45d9b87631ac70924c11d3a401b2d7f410cc0e3bbf249f2dca62"}, + {file = "PyYAML-6.0.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:9eb6caa9a297fc2c2fb8862bc5370d0303ddba53ba97e71f08023b6cd73d16a8"}, + {file = "PyYAML-6.0.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:c8098ddcc2a85b61647b2590f825f3db38891662cfc2fc776415143f599bb859"}, + {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5773183b6446b2c99bb77e77595dd486303b4faab2b086e7b17bc6bef28865f6"}, + {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b786eecbdf8499b9ca1d697215862083bd6d2a99965554781d0d8d1ad31e13a0"}, + {file = "PyYAML-6.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bc1bf2925a1ecd43da378f4db9e4f799775d6367bdb94671027b73b393a7c42c"}, + {file = "PyYAML-6.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:04ac92ad1925b2cff1db0cfebffb6ffc43457495c9b3c39d3fcae417d7125dc5"}, + {file = "PyYAML-6.0.1-cp39-cp39-win32.whl", hash = "sha256:faca3bdcf85b2fc05d06ff3fbc1f83e1391b3e724afa3feba7d13eeab355484c"}, + {file = "PyYAML-6.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:510c9deebc5c0225e8c96813043e62b680ba2f9c50a08d3724c7f28a747d1486"}, + {file = "PyYAML-6.0.1.tar.gz", hash = "sha256:bfdf460b1736c775f2ba9f6a92bca30bc2095067b8a9d77876d1fad6cc3b4a43"}, +] + +[[package]] +name = "rdflib" +version = "7.0.0" +description = "RDFLib is a Python library for working with RDF, a simple yet powerful language for representing information." +category = "main" +optional = false +python-versions = ">=3.8.1,<4.0.0" +files = [ + {file = "rdflib-7.0.0-py3-none-any.whl", hash = "sha256:0438920912a642c866a513de6fe8a0001bd86ef975057d6962c79ce4771687cd"}, + {file = "rdflib-7.0.0.tar.gz", hash = "sha256:9995eb8569428059b8c1affd26b25eac510d64f5043d9ce8c84e0d0036e995ae"}, +] + +[package.dependencies] +isodate = ">=0.6.0,<0.7.0" +pyparsing = ">=2.1.0,<4" + +[package.extras] +berkeleydb = ["berkeleydb (>=18.1.0,<19.0.0)"] +html = ["html5lib (>=1.0,<2.0)"] +lxml = ["lxml (>=4.3.0,<5.0.0)"] +networkx = ["networkx (>=2.0.0,<3.0.0)"] + +[[package]] +name = "requests" +version = "2.31.0" +description = "Python HTTP for Humans." +category = "main" +optional = false +python-versions = ">=3.7" +files = [ + {file = "requests-2.31.0-py3-none-any.whl", hash = "sha256:58cd2187c01e70e6e26505bca751777aa9f2ee0b7f4300988b709f44e013003f"}, + {file = "requests-2.31.0.tar.gz", hash = "sha256:942c5a758f98d790eaed1a29cb6eefc7ffb0d1cf7af05c3d2791656dbd6ad1e1"}, +] + +[package.dependencies] +certifi = ">=2017.4.17" +charset-normalizer = ">=2,<4" +idna = ">=2.5,<4" +urllib3 = ">=1.21.1,<3" + +[package.extras] +socks = ["PySocks (>=1.5.6,!=1.5.7)"] +use-chardet-on-py3 = ["chardet (>=3.0.2,<6)"] + +[[package]] +name = "setuptools" +version = "69.0.3" +description = "Easily download, build, install, upgrade, and uninstall Python packages" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "setuptools-69.0.3-py3-none-any.whl", hash = "sha256:385eb4edd9c9d5c17540511303e39a147ce2fc04bc55289c322b9e5904fe2c05"}, + {file = "setuptools-69.0.3.tar.gz", hash = "sha256:be1af57fc409f93647f2e8e4573a142ed38724b8cdd389706a867bb4efcf1e78"}, +] + +[package.extras] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] +testing = ["build[virtualenv]", "filelock (>=3.4.0)", "flake8-2020", "ini2toml[lite] (>=0.9)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "pip (>=19.1)", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-mypy (>=0.9.1)", "pytest-perf", "pytest-ruff", "pytest-timeout", "pytest-xdist", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] +testing-integration = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "packaging (>=23.1)", "pytest", "pytest-enabler", "pytest-xdist", "tomli", "virtualenv (>=13.0.0)", "wheel"] + +[[package]] +name = "six" +version = "1.16.0" +description = "Python 2 and 3 compatibility utilities" +category = "main" +optional = false +python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*" +files = [ + {file = "six-1.16.0-py2.py3-none-any.whl", hash = "sha256:8abb2f1d86890a2dfb989f9a77cfcfd3e47c2a354b01111771326f8aa26e0254"}, + {file = "six-1.16.0.tar.gz", hash = "sha256:1e61c37477a1626458e36f7b1d82aa5c9b094fa4802892072e49de9c60c4c926"}, +] + +[[package]] +name = "snowballstemmer" +version = "2.2.0" +description = "This package provides 29 stemmers for 28 languages generated from Snowball algorithms." +category = "dev" +optional = false +python-versions = "*" +files = [ + {file = "snowballstemmer-2.2.0-py2.py3-none-any.whl", hash = "sha256:c8e1716e83cc398ae16824e5572ae04e0d9fc2c6b985fb0f900f5f0c96ecba1a"}, + {file = "snowballstemmer-2.2.0.tar.gz", hash = "sha256:09b16deb8547d3412ad7b590689584cd0fe25ec8db3be37788be3810cbf19cb1"}, +] + +[[package]] +name = "sortedcontainers" +version = "2.4.0" +description = "Sorted Containers -- Sorted List, Sorted Dict, Sorted Set" +category = "main" +optional = false +python-versions = "*" +files = [ + {file = "sortedcontainers-2.4.0-py2.py3-none-any.whl", hash = "sha256:a163dcaede0f1c021485e957a39245190e74249897e2ae4b2aa38595db237ee0"}, + {file = "sortedcontainers-2.4.0.tar.gz", hash = "sha256:25caa5a06cc30b6b83d11423433f65d1f9d76c4c6a0c90e3379eaa43b9bfdb88"}, +] + +[[package]] +name = "sphinx" +version = "7.2.6" +description = "Python documentation generator" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinx-7.2.6-py3-none-any.whl", hash = "sha256:1e09160a40b956dc623c910118fa636da93bd3ca0b9876a7b3df90f07d691560"}, + {file = "sphinx-7.2.6.tar.gz", hash = "sha256:9a5160e1ea90688d5963ba09a2dcd8bdd526620edbb65c328728f1b2228d5ab5"}, +] + +[package.dependencies] +alabaster = ">=0.7,<0.8" +babel = ">=2.9" +colorama = {version = ">=0.4.5", markers = "sys_platform == \"win32\""} +docutils = ">=0.18.1,<0.21" +imagesize = ">=1.3" +importlib-metadata = {version = ">=4.8", markers = "python_version < \"3.10\""} +Jinja2 = ">=3.0" +packaging = ">=21.0" +Pygments = ">=2.14" +requests = ">=2.25.0" +snowballstemmer = ">=2.0" +sphinxcontrib-applehelp = "*" +sphinxcontrib-devhelp = "*" +sphinxcontrib-htmlhelp = ">=2.0.0" +sphinxcontrib-jsmath = "*" +sphinxcontrib-qthelp = "*" +sphinxcontrib-serializinghtml = ">=1.1.9" + +[package.extras] +docs = ["sphinxcontrib-websupport"] +lint = ["docutils-stubs", "flake8 (>=3.5.0)", "flake8-simplify", "isort", "mypy (>=0.990)", "ruff", "sphinx-lint", "types-requests"] +test = ["cython (>=3.0)", "filelock", "html5lib", "pytest (>=4.6)", "setuptools (>=67.0)"] + +[[package]] +name = "sphinx-autodoc-typehints" +version = "1.25.2" +description = "Type hints (PEP 484) support for the Sphinx autodoc extension" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "sphinx_autodoc_typehints-1.25.2-py3-none-any.whl", hash = "sha256:5ed05017d23ad4b937eab3bee9fae9ab0dd63f0b42aa360031f1fad47e47f673"}, + {file = "sphinx_autodoc_typehints-1.25.2.tar.gz", hash = "sha256:3cabc2537e17989b2f92e64a399425c4c8bf561ed73f087bc7414a5003616a50"}, +] + +[package.dependencies] +sphinx = ">=7.1.2" + +[package.extras] +docs = ["furo (>=2023.7.26)", "sphinx (>=7.1.2)"] +numpy = ["nptyping (>=2.5)"] +testing = ["covdefaults (>=2.3)", "coverage (>=7.3)", "diff-cover (>=7.7)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "sphobjinv (>=2.3.1)", "typing-extensions (>=4.7.1)"] + +[[package]] +name = "sphinx-click" +version = "5.1.0" +description = "Sphinx extension that automatically documents click applications" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "sphinx-click-5.1.0.tar.gz", hash = "sha256:6812c2db62d3fae71a4addbe5a8a0a16c97eb491f3cd63fe34b4ed7e07236f33"}, + {file = "sphinx_click-5.1.0-py3-none-any.whl", hash = "sha256:ae97557a4e9ec646045089326c3b90e026c58a45e083b8f35f17d5d6558d08a0"}, +] + +[package.dependencies] +click = ">=7.0" +docutils = "*" +sphinx = ">=2.0" + +[[package]] +name = "sphinx-rtd-theme" +version = "2.0.0" +description = "Read the Docs theme for Sphinx" +category = "dev" +optional = false +python-versions = ">=3.6" +files = [ + {file = "sphinx_rtd_theme-2.0.0-py2.py3-none-any.whl", hash = "sha256:ec93d0856dc280cf3aee9a4c9807c60e027c7f7b461b77aeffed682e68f0e586"}, + {file = "sphinx_rtd_theme-2.0.0.tar.gz", hash = "sha256:bd5d7b80622406762073a04ef8fadc5f9151261563d47027de09910ce03afe6b"}, +] + +[package.dependencies] +docutils = "<0.21" +sphinx = ">=5,<8" +sphinxcontrib-jquery = ">=4,<5" + +[package.extras] +dev = ["bump2version", "sphinxcontrib-httpdomain", "transifex-client", "wheel"] + +[[package]] +name = "sphinxcontrib-applehelp" +version = "1.0.7" +description = "sphinxcontrib-applehelp is a Sphinx extension which outputs Apple help books" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinxcontrib_applehelp-1.0.7-py3-none-any.whl", hash = "sha256:094c4d56209d1734e7d252f6e0b3ccc090bd52ee56807a5d9315b19c122ab15d"}, + {file = "sphinxcontrib_applehelp-1.0.7.tar.gz", hash = "sha256:39fdc8d762d33b01a7d8f026a3b7d71563ea3b72787d5f00ad8465bd9d6dfbfa"}, +] + +[package.dependencies] +Sphinx = ">=5" + +[package.extras] +lint = ["docutils-stubs", "flake8", "mypy"] +test = ["pytest"] + +[[package]] +name = "sphinxcontrib-devhelp" +version = "1.0.5" +description = "sphinxcontrib-devhelp is a sphinx extension which outputs Devhelp documents" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinxcontrib_devhelp-1.0.5-py3-none-any.whl", hash = "sha256:fe8009aed765188f08fcaadbb3ea0d90ce8ae2d76710b7e29ea7d047177dae2f"}, + {file = "sphinxcontrib_devhelp-1.0.5.tar.gz", hash = "sha256:63b41e0d38207ca40ebbeabcf4d8e51f76c03e78cd61abe118cf4435c73d4212"}, +] + +[package.dependencies] +Sphinx = ">=5" + +[package.extras] +lint = ["docutils-stubs", "flake8", "mypy"] +test = ["pytest"] + +[[package]] +name = "sphinxcontrib-htmlhelp" +version = "2.0.4" +description = "sphinxcontrib-htmlhelp is a sphinx extension which renders HTML help files" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinxcontrib_htmlhelp-2.0.4-py3-none-any.whl", hash = "sha256:8001661c077a73c29beaf4a79968d0726103c5605e27db92b9ebed8bab1359e9"}, + {file = "sphinxcontrib_htmlhelp-2.0.4.tar.gz", hash = "sha256:6c26a118a05b76000738429b724a0568dbde5b72391a688577da08f11891092a"}, +] + +[package.dependencies] +Sphinx = ">=5" + +[package.extras] +lint = ["docutils-stubs", "flake8", "mypy"] +test = ["html5lib", "pytest"] + +[[package]] +name = "sphinxcontrib-jquery" +version = "4.1" +description = "Extension to include jQuery on newer Sphinx releases" +category = "dev" +optional = false +python-versions = ">=2.7" +files = [ + {file = "sphinxcontrib-jquery-4.1.tar.gz", hash = "sha256:1620739f04e36a2c779f1a131a2dfd49b2fd07351bf1968ced074365933abc7a"}, + {file = "sphinxcontrib_jquery-4.1-py2.py3-none-any.whl", hash = "sha256:f936030d7d0147dd026a4f2b5a57343d233f1fc7b363f68b3d4f1cb0993878ae"}, +] + +[package.dependencies] +Sphinx = ">=1.8" + +[[package]] +name = "sphinxcontrib-jsmath" +version = "1.0.1" +description = "A sphinx extension which renders display math in HTML via JavaScript" +category = "dev" +optional = false +python-versions = ">=3.5" +files = [ + {file = "sphinxcontrib-jsmath-1.0.1.tar.gz", hash = "sha256:a9925e4a4587247ed2191a22df5f6970656cb8ca2bd6284309578f2153e0c4b8"}, + {file = "sphinxcontrib_jsmath-1.0.1-py2.py3-none-any.whl", hash = "sha256:2ec2eaebfb78f3f2078e73666b1415417a116cc848b72e5172e596c871103178"}, +] + +[package.extras] +test = ["flake8", "mypy", "pytest"] + +[[package]] +name = "sphinxcontrib-qthelp" +version = "1.0.6" +description = "sphinxcontrib-qthelp is a sphinx extension which outputs QtHelp documents" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinxcontrib_qthelp-1.0.6-py3-none-any.whl", hash = "sha256:bf76886ee7470b934e363da7a954ea2825650013d367728588732c7350f49ea4"}, + {file = "sphinxcontrib_qthelp-1.0.6.tar.gz", hash = "sha256:62b9d1a186ab7f5ee3356d906f648cacb7a6bdb94d201ee7adf26db55092982d"}, +] + +[package.dependencies] +Sphinx = ">=5" + +[package.extras] +lint = ["docutils-stubs", "flake8", "mypy"] +test = ["pytest"] + +[[package]] +name = "sphinxcontrib-serializinghtml" +version = "1.1.9" +description = "sphinxcontrib-serializinghtml is a sphinx extension which outputs \"serialized\" HTML files (json and pickle)" +category = "dev" +optional = false +python-versions = ">=3.9" +files = [ + {file = "sphinxcontrib_serializinghtml-1.1.9-py3-none-any.whl", hash = "sha256:9b36e503703ff04f20e9675771df105e58aa029cfcbc23b8ed716019b7416ae1"}, + {file = "sphinxcontrib_serializinghtml-1.1.9.tar.gz", hash = "sha256:0c64ff898339e1fac29abd2bf5f11078f3ec413cfe9c046d3120d7ca65530b54"}, +] + +[package.dependencies] +Sphinx = ">=5" + +[package.extras] +lint = ["docutils-stubs", "flake8", "mypy"] +test = ["pytest"] + +[[package]] +name = "tomli" +version = "2.0.1" +description = "A lil' TOML parser" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "tomli-2.0.1-py3-none-any.whl", hash = "sha256:939de3e7a6161af0c887ef91b7d41a53e7c5a1ca976325f429cb46ea9bc30ecc"}, + {file = "tomli-2.0.1.tar.gz", hash = "sha256:de526c12914f0c550d15924c62d72abc48d6fe7364aa87328337a31007fe8a4f"}, +] + +[[package]] +name = "tox" +version = "4.11.4" +description = "tox is a generic virtualenv management and test command line tool" +category = "dev" +optional = false +python-versions = ">=3.8" +files = [ + {file = "tox-4.11.4-py3-none-any.whl", hash = "sha256:2adb83d68f27116812b69aa36676a8d6a52249cb0d173649de0e7d0c2e3e7229"}, + {file = "tox-4.11.4.tar.gz", hash = "sha256:73a7240778fabf305aeb05ab8ea26e575e042ab5a18d71d0ed13e343a51d6ce1"}, +] + +[package.dependencies] +cachetools = ">=5.3.1" +chardet = ">=5.2" +colorama = ">=0.4.6" +filelock = ">=3.12.3" +packaging = ">=23.1" +platformdirs = ">=3.10" +pluggy = ">=1.3" +pyproject-api = ">=1.6.1" +tomli = {version = ">=2.0.1", markers = "python_version < \"3.11\""} +virtualenv = ">=20.24.3" + +[package.extras] +docs = ["furo (>=2023.8.19)", "sphinx (>=7.2.4)", "sphinx-argparse-cli (>=1.11.1)", "sphinx-autodoc-typehints (>=1.24)", "sphinx-copybutton (>=0.5.2)", "sphinx-inline-tabs (>=2023.4.21)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] +testing = ["build[virtualenv] (>=0.10)", "covdefaults (>=2.3)", "detect-test-pollution (>=1.1.1)", "devpi-process (>=1)", "diff-cover (>=7.7)", "distlib (>=0.3.7)", "flaky (>=3.7)", "hatch-vcs (>=0.3)", "hatchling (>=1.18)", "psutil (>=5.9.5)", "pytest (>=7.4)", "pytest-cov (>=4.1)", "pytest-mock (>=3.11.1)", "pytest-xdist (>=3.3.1)", "re-assert (>=1.1)", "time-machine (>=2.12)", "wheel (>=0.41.2)"] + +[[package]] +name = "typing-extensions" +version = "4.9.0" +description = "Backported and Experimental Type Hints for Python 3.8+" +category = "main" +optional = false +python-versions = ">=3.8" +files = [ + {file = "typing_extensions-4.9.0-py3-none-any.whl", hash = "sha256:af72aea155e91adfc61c3ae9e0e342dbc0cba726d6cba4b6c72c1f34e47291cd"}, + {file = "typing_extensions-4.9.0.tar.gz", hash = "sha256:23478f88c37f27d76ac8aee6c905017a143b0b1b886c3c9f66bc2fd94f9f5783"}, +] + +[[package]] +name = "urllib3" +version = "2.1.0" +description = "HTTP library with thread-safe connection pooling, file post, and more." +category = "main" +optional = false +python-versions = ">=3.8" +files = [ + {file = "urllib3-2.1.0-py3-none-any.whl", hash = "sha256:55901e917a5896a349ff771be919f8bd99aff50b79fe58fec595eb37bbc56bb3"}, + {file = "urllib3-2.1.0.tar.gz", hash = "sha256:df7aa8afb0148fa78488e7899b2c59b5f4ffcfa82e6c54ccb9dd37c1d7b52d54"}, +] + +[package.extras] +brotli = ["brotli (>=1.0.9)", "brotlicffi (>=0.8.0)"] +socks = ["pysocks (>=1.5.6,!=1.5.7,<2.0)"] +zstd = ["zstandard (>=0.18.0)"] + +[[package]] +name = "virtualenv" +version = "20.25.0" +description = "Virtual Python Environment builder" +category = "dev" +optional = false +python-versions = ">=3.7" +files = [ + {file = "virtualenv-20.25.0-py3-none-any.whl", hash = "sha256:4238949c5ffe6876362d9c0180fc6c3a824a7b12b80604eeb8085f2ed7460de3"}, + {file = "virtualenv-20.25.0.tar.gz", hash = "sha256:bf51c0d9c7dd63ea8e44086fa1e4fb1093a31e963b86959257378aef020e1f1b"}, +] + +[package.dependencies] +distlib = ">=0.3.7,<1" +filelock = ">=3.12.2,<4" +platformdirs = ">=3.9.1,<5" + +[package.extras] +docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.2)", "sphinx-argparse (>=0.4)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] +test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess (>=1)", "flaky (>=3.7)", "packaging (>=23.1)", "pytest (>=7.4)", "pytest-env (>=0.8.2)", "pytest-freezer (>=0.4.8)", "pytest-mock (>=3.11.1)", "pytest-randomly (>=3.12)", "pytest-timeout (>=2.1)", "setuptools (>=68)", "time-machine (>=2.10)"] + +[[package]] +name = "zipp" +version = "3.17.0" +description = "Backport of pathlib-compatible object wrapper for zip files" +category = "main" +optional = false +python-versions = ">=3.8" +files = [ + {file = "zipp-3.17.0-py3-none-any.whl", hash = "sha256:0e923e726174922dce09c53c59ad483ff7bbb8e572e00c7f7c46b88556409f31"}, + {file = "zipp-3.17.0.tar.gz", hash = "sha256:84e64a1c28cf7e91ed2078bb8cc8c259cb19b76942096c8d7b84947690cabaf0"}, +] + +[package.extras] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-lint"] +testing = ["big-O", "jaraco.functools", "jaraco.itertools", "more-itertools", "pytest (>=6)", "pytest-black (>=0.3.7)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-ignore-flaky", "pytest-mypy (>=0.9.1)", "pytest-ruff"] + +[metadata] +lock-version = "2.0" +python-versions = "^3.9" +content-hash = "f4c66b7ee4fda06a1d28d2ba972706c1cf6667c5880926dee4c633fe30203727" diff --git a/pyproject.toml b/pyproject.toml new file mode 100644 index 0000000..d93416d --- /dev/null +++ b/pyproject.toml @@ -0,0 +1,80 @@ +[tool.poetry] +name = "rdf-expressionizer" +version = "0.0.0" +description = "rdf-expressionizer" +authors = ["Author 1 "] +license = "BSD-3" +readme = "README.md" + +[tool.poetry.dependencies] +python = "^3.9" +click = "*" +importlib-metadata = "^4.8.0" +pyoxigraph = "^0.3.22" +curies = "^0.7.4" +rdflib = "^7.0.0" + +[tool.poetry.group.dev.dependencies] +pytest = {version = ">=7.1.2"} +tox = {version = ">=3.25.1"} +pre-commit = {version = ">=3.3.3"} + +[tool.poetry.group.docs] +optional = true + +[tool.poetry.group.docs.dependencies] +sphinx = {version = ">=6.1.3"} +sphinx-rtd-theme = {version = ">=1.0.0"} +sphinx-autodoc-typehints = {version = ">=1.2.0"} +sphinx-click = {version = ">=4.3.0"} +myst-parser = {version = ">=0.18.1"} + +[tool.poetry.scripts] +rdf-expressionizer = "rdf_expressionizer.cli:main" + +[tool.poetry-dynamic-versioning] +enable = true +vcs = "git" +style = "pep440" + +[tool.black] +line-length = 120 +target-version = ["py38", "py39", "py310"] + +[tool.ruff] +extend-ignore = [ + "D211", # `no-blank-line-before-class` + "D212", # `multi-line-summary-first-line` + ] +line-length = 120 + +# Allow autofix for all enabled rules (when `--fix`) is provided. +fixable = ["ALL"] + +# Select or ignore from https://beta.ruff.rs/docs/rules/ +select = [ + "B", # bugbear + "D", # pydocstyle + "E", # pycodestyle errors + "F", # Pyflakes + "I", # isort + "S", # flake8-bandit + "W", # Warning +] + +unfixable = [] +target-version = "py310" + +[tool.ruff.mccabe] +# Unlike Flake8, default to a complexity level of 10. +max-complexity = 10 + +[tool.codespell] +skip = "*.po,*.ts,.git,pyproject.toml" +count = "" +quiet-level = 3 +# ignore-words-list = "" + +[build-system] +requires = ["poetry-core>=1.0.0", "poetry-dynamic-versioning"] +build-backend = "poetry_dynamic_versioning.backend" diff --git a/src/rdf_expressionizer/__init__.py b/src/rdf_expressionizer/__init__.py new file mode 100644 index 0000000..e4f1ec0 --- /dev/null +++ b/src/rdf_expressionizer/__init__.py @@ -0,0 +1,8 @@ +"""rdf-expressionizer package.""" +import importlib_metadata + +try: + __version__ = importlib_metadata.version(__name__) +except importlib_metadata.PackageNotFoundError: + # package is not installed + __version__ = "0.0.0" # pragma: no cover diff --git a/src/rdf_expressionizer/cli.py b/src/rdf_expressionizer/cli.py new file mode 100644 index 0000000..3744bea --- /dev/null +++ b/src/rdf_expressionizer/cli.py @@ -0,0 +1,123 @@ +"""Command line interface for rdf-expressionizer.""" +import logging +from pathlib import Path + +import click + +from rdf_expressionizer import __version__ +from rdf_expressionizer.main import file_replace, load_replacement_map + +__all__ = [ + "main", +] + +from rdf_expressionizer.mappings import MAPPING_DIR + +logger = logging.getLogger(__name__) + +exclude_subset_option = click.option( + "--exclude-subset", + "-x", + multiple=True, + help="Subsets to exclude.", +) +include_subset_option = click.option( + "--include-subset", + "-s", + multiple=True, + help="Subsets to include.", +) +mappings_option = click.option( + "--mappings", + "-m", + default="bfo_xbfo_mappings", + help="Path to mappings file.", +) +output_option = click.option( + "--output", + "-o", + default=None, + help="Path to output file.", +) + + +@click.group() +@click.option("-v", "--verbose", count=True) +@click.option("-q", "--quiet") +@click.version_option(__version__) +def main(verbose: int, quiet: bool): + """ + CLI for rdf-expressionizer. + + :param verbose: Verbosity while running. + :param quiet: Boolean to be quiet or verbose. + """ + if verbose >= 2: + logger.setLevel(level=logging.DEBUG) + elif verbose == 1: + logger.setLevel(level=logging.INFO) + else: + logger.setLevel(level=logging.WARNING) + if quiet: + logger.setLevel(level=logging.ERROR) + + +@main.command() +@exclude_subset_option +@mappings_option +@output_option +@click.argument("input_path") +def replace(input_path, exclude_subset, mappings, output): + """Replace named entities with expressions in RDF file. + + Example: + + rdf-expressionizer replace -m bfo_xbfo_mappings -o xro.owl ro.owl + + To preserve a subset: + + Example: + + rdf-expressionizer replace -x COB -m bfo_xbfo_mappings -o xro.owl ro.owl + + """ + mappings_path = Path(MAPPING_DIR / f"{mappings}.csv") + if not mappings_path.exists(): + mappings_path = Path(mappings) + if not mappings_path.exists(): + raise FileNotFoundError(f"Could not find {mappings_path} directly or in {MAPPING_DIR}") + if exclude_subset: + subsets = list(exclude_subset) + replacement_map = load_replacement_map(mappings_path, exclude_subsets=subsets) + else: + replacement_map = load_replacement_map(mappings_path) + file_replace(input_path, replacement_map, replace=True, output_path=output) + + +@main.command() +@include_subset_option +@mappings_option +@output_option +@click.argument("input_path") +def augment(input_path, include_subset, mappings, output): + """Augment occurrences of named entities with logical definitions. + + Example: + + rdf-expressionizer augment -m bfo_xbfo_mappings -o mcob.owl cob.owl + """ + mappings_path = Path(MAPPING_DIR / f"{mappings}.csv") + if not mappings_path.exists(): + mappings_path = Path(mappings) + if not mappings_path.exists(): + raise FileNotFoundError(f"Could not find {mappings_path} directly or in {MAPPING_DIR}") + if include_subset: + subsets = list(include_subset) + replacement_map = load_replacement_map(mappings_path, include_subsets=subsets) + else: + replacement_map = load_replacement_map(mappings_path) + file_replace(input_path, replacement_map, replace=False, output_path=output) + + +if __name__ == "__main__": + main() diff --git a/src/rdf_expressionizer/main.py b/src/rdf_expressionizer/main.py new file mode 100644 index 0000000..9487dc5 --- /dev/null +++ b/src/rdf_expressionizer/main.py @@ -0,0 +1,203 @@ +"""Main python file.""" +import csv +from dataclasses import dataclass +from functools import lru_cache +from pathlib import Path +from typing import Dict, Iterator, Tuple, Union, Iterable, List, Optional + +import curies +from curies import Converter +from pyoxigraph import Store, parse, Triple, NamedNode, BlankNode, Quad + +RDF_TYPE = NamedNode("http://www.w3.org/1999/02/22-rdf-syntax-ns#type") +OWL_RESTRICTION = NamedNode("http://www.w3.org/2002/07/owl#Restriction") +OWL_ON_PROPERTY = NamedNode("http://www.w3.org/2002/07/owl#onProperty") +OWL_SOME_VALUES_FROM = NamedNode("http://www.w3.org/2002/07/owl#someValuesFrom") +SUBCLASS_OF = "http://www.w3.org/2000/01/rdf-schema#subClassOf" +EQUIVALENT_CLASS = "http://www.w3.org/2002/07/owl#equivalentClass" + +PREFIX_MAP = Dict[str, str] + +OBJECT_PROPERTY = NamedNode +REPLACEMENT_MAP = Dict[NamedNode, Tuple[OBJECT_PROPERTY, NamedNode]] + + +@dataclass +class ClassReplacement: + named_class: str + replacement_class: str + replacement_property: str + + +def create_expression(replacement: Tuple[OBJECT_PROPERTY, NamedNode]) -> Tuple[BlankNode, List[Triple]]: + """ + Generate triples for a class expression (some values from). + + >>> from pyoxigraph import NamedNode + >>> ex = "http://example.com/" + >>> bnode, triples = create_expression((NamedNode(f"{ex}p"), NamedNode(f"{ex}d1"))) + >>> for s, p, o in triples: + ... print("", p, o) + ... assert s == bnode + + + + + :param named_entity: + :param replacement_property: + :param replacement_entity: + :return: + """ + bnode = BlankNode() + triples = [] + triples.append(Triple(bnode, RDF_TYPE, OWL_RESTRICTION)) + triples.append(Triple(bnode, OWL_ON_PROPERTY, replacement[0])) + triples.append(Triple(bnode, OWL_SOME_VALUES_FROM, replacement[1])) + return bnode, triples + + +def create_logical_definition(term: NamedNode, replacement: Tuple[OBJECT_PROPERTY, NamedNode]) -> List[Triple]: + """ + Create a logical definition for a term. + + >>> from pyoxigraph import NamedNode + >>> ex = "http://example.com/" + >>> term = NamedNode(f"{ex}c1") + >>> triples = create_logical_definition(term, (NamedNode(f"{ex}p"), NamedNode(f"{ex}d1"))) + >>> len(triples) + 4 + + :param term: + :param replacement: + :return: + """ + bnode, triples = create_expression(replacement) + triples.append(Triple(term, NamedNode(EQUIVALENT_CLASS), bnode)) + return triples + + +def expressionify_triples(triple_it: Iterable[Triple], replacement_map: REPLACEMENT_MAP, equivalence_map: REPLACEMENT_MAP = None) -> Iterator[Triple]: + """ + Replace named entities in triples. + + :param triple_it: + :param replacement_map: + :param replacement_property: + :return: + """ + nodes = set() + for s, p, o in triple_it: + if s in replacement_map: + s, new_triples = create_expression(replacement_map[s]) + yield from new_triples + nodes.add(s) + if p in replacement_map: + p, new_triples = create_expression(replacement_map[p]) + yield from new_triples + nodes.add(p) + if o in replacement_map: + o, new_triples = create_expression(replacement_map[o]) + yield from new_triples + if isinstance(o, NamedNode): + nodes.add(o) + yield Triple(s, p, o) + if equivalence_map: + for node in nodes: + if node in equivalence_map: + yield from create_logical_definition(node, equivalence_map[node]) + + +def generate_equivalence_axioms(triple_it: Iterable[Triple], equivalence_map: REPLACEMENT_MAP) -> Iterator[Triple]: + """ + Generate an equivalence axiom for each used term in the equivalence map. + + :param triple_it: + :param replacement_map: + :param replacement_property: + :return: + """ + nodes = set() + for s, p, o in triple_it: + nodes.add(s) + nodes.add(p) + if isinstance(o, NamedNode): + nodes.add(o) + yield Triple(s, p, o) + for node in nodes: + if node in equivalence_map: + yield from create_logical_definition(node, equivalence_map[node]) + + +def file_replace(path: Union[str, Path], replacement_map: REPLACEMENT_MAP, input_type="application/rdf+xml", replace=True, output_path: Union[str, Path] = None, output_type=None): + """ + Replace named entities in a file. + + :param path: + :param replacement_map: + :return: + """ + triple_it = parse(str(path), input_type) + store = Store() + if replace: + for triple in expressionify_triples(triple_it, replacement_map): + store.add(Quad(*triple)) + else: + for triple in generate_equivalence_axioms(triple_it, replacement_map): + store.add(Quad(*triple)) + if output_type is None: + output_type = input_type + store.dump(str(output_path), output_type) + + +@lru_cache() +def get_curie_converter(prefix_map: PREFIX_MAP = None) -> Converter: + """ + Create a converter + + :param prefix_map: + :return: + """ + converter = curies.get_obo_converter() + if prefix_map is None: + prefix_map = {} + if "XBFO" not in prefix_map: + prefix_map["XBFO"] = "https://w3id.org/xbfo/" + for k, v in prefix_map.items(): + converter.add_prefix(k, v) + return converter + +def named_node(n: str, prefix_map: PREFIX_MAP = None) -> NamedNode: + """ + Create a named node + + :param n: + :return: + """ + curie_converter = get_curie_converter(prefix_map) + return NamedNode(curie_converter.expand(n, passthrough=True)) + + +def load_replacement_map(path: Union[str, Path], delimiter=",", prefix_map: PREFIX_MAP=None, exclude_subsets: Optional[List]=None, include_subsets: Optional[List]=None) -> REPLACEMENT_MAP: + """ + Load a replacement map from a CSV. + + :param path: + :return: + """ + rmap = {} + with open(path) as f: + reader = csv.DictReader(f, delimiter=delimiter) + for row in reader: + if row["source"] == "ID": + # allow robot templates + continue + subsets = row["subsets"].split("|") if row.get("subsets", []) else [] + if exclude_subsets is not None and any([subset in exclude_subsets for subset in subsets]): + # if the row is in a subset to be excluded + continue + if include_subsets is not None and not any([subset in include_subsets for subset in subsets]): + # if the row is not in a subset to be includes + continue + rmap[named_node(row["source"], prefix_map)] = (named_node(row["property"], prefix_map), named_node(row["mapping"], prefix_map)) + return rmap + diff --git a/src/rdf_expressionizer/mappings/__init__.py b/src/rdf_expressionizer/mappings/__init__.py new file mode 100644 index 0000000..4ddb20d --- /dev/null +++ b/src/rdf_expressionizer/mappings/__init__.py @@ -0,0 +1,4 @@ +from pathlib import Path + +MAPPING_DIR = Path(__file__).parent +BFO_MAPPINGS = MAPPING_DIR / "bfo_xbfo_mappings.csv" \ No newline at end of file diff --git a/src/rdf_expressionizer/mappings/bfo_xbfo_mappings.csv b/src/rdf_expressionizer/mappings/bfo_xbfo_mappings.csv new file mode 100644 index 0000000..24b8533 --- /dev/null +++ b/src/rdf_expressionizer/mappings/bfo_xbfo_mappings.csv @@ -0,0 +1,37 @@ +source,mapping,property,type,subsets +ID,EC RO:0000053 some %,,TYPE, +BFO:0000001,XBFO:0000001,RO:0000053,class, +BFO:0000002,XBFO:0000002,RO:0000053,class, +BFO:0000003,XBFO:0000003,RO:0000053,class, +BFO:0000004,XBFO:0000004,RO:0000053,class, +BFO:0000006,XBFO:0000006,RO:0000053,class, +BFO:0000008,XBFO:0000008,RO:0000053,class, +BFO:0000009,XBFO:0000009,RO:0000053,class, +BFO:0000011,XBFO:0000011,RO:0000053,class, +BFO:0000015,XBFO:0000015,RO:0000053,class,COB +BFO:0000016,XBFO:0000016,RO:0000053,class,COB +BFO:0000017,XBFO:0000017,RO:0000053,class,COB +BFO:0000018,XBFO:0000018,RO:0000053,class, +BFO:0000019,XBFO:0000019,RO:0000053,class, +BFO:0000020,XBFO:0000020,RO:0000053,class,COB +BFO:0000023,XBFO:0000023,RO:0000053,class,COB +BFO:0000024,XBFO:0000024,RO:0000053,class, +BFO:0000026,XBFO:0000026,RO:0000053,class, +BFO:0000027,XBFO:0000027,RO:0000053,class, +BFO:0000028,XBFO:0000028,RO:0000053,class, +BFO:0000029,XBFO:0000029,RO:0000053,class,COB +BFO:0000030,XBFO:0000030,RO:0000053,class, +BFO:0000031,XBFO:0000031,RO:0000053,class, +BFO:0000034,XBFO:0000034,RO:0000053,class,COB +BFO:0000035,XBFO:0000035,RO:0000053,class, +BFO:0000038,XBFO:0000038,RO:0000053,class, +BFO:0000040,XBFO:0000040,RO:0000053,class,COB +BFO:0000140,XBFO:0000140,RO:0000053,class, +BFO:0000141,XBFO:0000141,RO:0000053,class,COB +BFO:0000142,XBFO:0000142,RO:0000053,class, +BFO:0000144,XBFO:0000144,RO:0000053,class, +BFO:0000145,XBFO:0000145,RO:0000053,class, +BFO:0000146,XBFO:0000146,RO:0000053,class, +BFO:0000147,XBFO:0000147,RO:0000053,class, +BFO:0000148,XBFO:0000148,RO:0000053,class, +BFO:0000182,XBFO:0000182,RO:0000053,class, diff --git a/src/rdf_expressionizer/ontology/bfo_bridge.owl b/src/rdf_expressionizer/ontology/bfo_bridge.owl new file mode 100644 index 0000000..82d9a63 --- /dev/null +++ b/src/rdf_expressionizer/ontology/bfo_bridge.owl @@ -0,0 +1,892 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + entity nature + + + continuant nature + + + occurrent nature + + + independent continuant nature + + + spatial region nature + + + temporal region nature + + + two-dimensional spatial region nature + + + spatiotemporal region nature + + + process nature + + + disposition nature + + + realizable entity nature + + + zero-dimensional spatial region nature + + + quality nature + + + specifically dependent continuant nature + + + role nature + + + fiat object part nature + + + one-dimensional spatial region nature + + + object aggregate nature + + + three-dimensional spatial region nature + + + site nature + + + object nature + + + generically dependent continuant nature + + + function nature + + + process boundary nature + + + one-dimensional temporal region nature + + + material entity nature + + + continuant fiat boundary nature + + + immaterial entity nature + + + one-dimensional continuant fiat boundary nature + + + process profile nature + + + relational quality nature + + + two-dimensional continuant fiat boundary nature + + + zero-dimensional continuant fiat boundary nature + + + zero-dimensional temporal region nature + + + history nature + + + + + + + diff --git a/src/rdf_expressionizer/ontology/cob-augmented-tidy.owl b/src/rdf_expressionizer/ontology/cob-augmented-tidy.owl new file mode 100644 index 0000000..b693b67 --- /dev/null +++ b/src/rdf_expressionizer/ontology/cob-augmented-tidy.owl @@ -0,0 +1,1753 @@ + + + + + COB brings together key terms from a wide range of OBO projects to improve interoperability. + Core Ontology for Biology and Biomedicine + + This version of COB includes native OBO URIs, only using COB IRIs where equivalent natives could not be found. To see the edition that includes native IRIs, consult cob-edit.owl. + 2023-05-12 + + + + + + + + + + + + + + + + + + + definition + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + part of + + + + + + + + has part + + + + + + + + + realized in + + + + + + + + + + occurs in + + + + + + + + contains process + + + + + + + + + executed by + + + + + + + + + concretizes + + + + + + + + intended to realize + + + + + + + + has plan + + + + + + + + intended plan process type + + + + + + + + + + realizes + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000136 + is about + + + + + + + + + + + has specified input + + + + + + + + + is specified input of + + + + + + + + + + + has specified output + + + + + + + + + is specified output of + + + + + + + + + characteristic of + + + + + + + + + + + has characteristic + https://github.com/oborel/obo-relations/pull/284 + + + + + + Anything can have a characteristic + + + + + + + + + participates in + + + + + + + + + has participant + + + + + + + + is concretized as + + + + + + + + + enabled by + + + + + + + + + + + + executes + + + + + + + + + + + + + + The range of this property should be a user-defined unit datatype, e.g 182^:cm + has quantity + https://github.com/OBOFoundry/COB/issues/35 + + + + + + + + + + Number of protons in an atomic nucleus + We are undecided as to whether to ultimately model this as a data property of object property + cardinality, but for now we are using DPs as these are faster for reasoning + has atomic number + + + + + + + + + + has number of atomic nuclei + + + + + + + + + has inchi string + + + + + + + + + + + + + + + + + + + + + + + + + + process + + + + + + + + + + + + + + + disposition + + + + + + + + + + + + + + + realizable + + + + + + + + + + + + + + + + + + + + + + characteristic + https://github.com/OBOFoundry/COB/issues/65 + https://github.com/oborel/obo-relations/pull/284 + + + + + + + + + + + + + + We should name the inverse in COB and avoid the confusing inverse(..) construct + + + + + + + + + + + + + + + role + + + + + + + + + + + + + + + site + + + + + + + + + + + + + + + function + + + + + + + + + + + + + + + material entity + + + + + + + + + + + + + + + immaterial entity + + + + + + + + + A part of a multicellular organism that is a collection of cell components that are not all contained in one cell. + Bodily fluids, such as urine, are currently defined as anatomical entities in UBERON. We should make sure there is a proper home for these here. + gross anatomical part + + + + + + + + + A material entity that is a maximal functionally integrated unit that develops from a program encoded in a genome. + "Maximal functionally integrated unit" is intended to express unity, which Barry considers synonymous with BFO 'object'. + Includes virus - we will later have a class for cellular organisms. + organism + + + + + + + + + cellular organism + + + + + + + + + + + + + 0 + + + electron + nucleic acid polymer + + + + + + + + + proton + + + + + + + + + + monoatomic ion + + + + + + + + + neutron + + + + + + + + + uncharged atom + + + + + + + + + Some people may be uncomfortable calling every proton an atomic nucleus + This is equivalent to CHEBI:33252 + atomic nucleus + + + + + + + + + subatomic particle + + + + + + + + + A material entity that has a plasma membrane and results from cellular division. + CL and GO definitions of cell differ based on inclusive or exclusive of cell wall, etc. + We struggled with this definition. We are worried about circularity. We also considered requiring the capability of metabolism. + cell + + + + + + + + + native cell + + + + + + + + + cell in vitro + + + + + + + + + no longer needed + obsolete_elementary charge + true + + + + + + + + + + + 1 + + + + + + + + + + + A material entity consisting of exactly one atomic nucleus and the electron(s) orbiting it. + This atom is closely related to ChEBI's atom, but not exactly equivalent to. + atom + + + + + + + + + + + + + + + + A material entity that consists of two or more atoms that are all connected via covalent bonds such that any atom can be transitively connected with any other atom. + This molecular entity is different than ChEBI's 'molecular entity'. + We would like to have cardinality restrictions on the logic, but there are some technical limitations. + molecular entity + + + + + + + + + A material entity consisting of multiple atoms that are completely connected by covalent bonds and structured in subunits, and where the most determinate class identity of the macromolecule is not necessarily changed when there is an addition or subtraction of atoms or bonds. + Terms moved to 'molecular entity', see https://github.com/OBOFoundry/Experimental-OBO-Core/issues/33 + obsolete macromolecular entity + true + + + + + + + + + + + + + + + A material entity consisting of at least two macromolecular entities derived from a cell as parts, and that has a function for the cell. + Components are larger than individual macromolecular entities. It is tricky to define distinction between 'cell component' and 'macromolecular entity', e.g. ribosome. We would like to exclude most protein complexes. + Overlaps with some cellular components from GO + subcellular structure + + + + + + + + + geographical location + + + + + + + + + immaterial anatomical entity + + + + + + + + + gene product + + + + + + + + + + + + + + + + + + + + + action specification + + + + + + + + + + A complex of two or more molecular entities that are not covalently bound. + complex of molecular entities + + + + + + + + + + >=2 parts (not we cannot use cardinality with transitive properties) + + + + + + + + + + + + + + + + + + + + + A process that is initiated by an agent who intends to carry out a plan to achieve an objective through one or more actions as described in a plan specification. + planned process + + + + + + + + + + failed planned process + + + + + + + + + cellular membrane + + + + + + + + + OBI:0000067 + evaluant role + + + + + + + + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000015 + Pier 'representational entity' + This captures: pattern of writing in a book; neural state in the brain, electronic charges in computer memory etc + information representation + + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000109 + measurement datum + + + + + + + + + + + + + + + + + + + + physical information carrier + + + + + + + + + A process during which an organism comes into contact with another entity. + exposure of organism + + + + + + + + + + + + + + + + + + + + + A processed material entity which is designed to perform a function. + + 2023-03-24T16:04:27Z + In this definition we assume devices are made of processed material, not natural artifacts, so we involve artifactual function rather than biological function, but align with a general BFO function sense where functions such as pumping, lifting can occur in both contexts. Thus we can compare a biological arm with a robotic arm device. + +We say "designed" to emphasize a device's primary function rather than all the other possible dispositions a device may have that may also be useful. E.g. one can use a hammer for a paper weight. + +Regarding usage then, we don't say a naturally formed rock is a hammering device - it wasn't designed to bear a hammering function per se. However, a given rock may still happen to have the disposition to bear a hammering function, and so we could say it is a hammering "tool", which does not necessarily convey intentional design. + +Example of use: A whole device like an engine; a component like a bolt is also a device. + device + + + + + + + + + + A processed material entity created to be administered to an individual with the intent to improve health. + drug product + + + + + + + + + geophysical entity + + + + + + + + + ecosystem + + + + + + + + + + + + environmental process + + + + + + + + + + + + + + + + + + + + + + + + This is the same as GO molecular function + gene product or complex activity + + + + + + + + + cell nucleus + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A process that emerges from two or more causally-connected macromolecular activities and has evolved to achieve a biological objective. + A biological process is an evolved process + biological process + + + + + + + + + + + + + + + This is not covalently bonded, which conflicts with changes to the parent definition. + protein-containing macromolecular complex + + + + + + + + + objective specification + + + + + + + + + data item + + + + + + + + + + + + + + + + + + + + + + + + + Pier: 'data, information or knowledge'. OR 'representation + information + + + + + + + + + directive information entity + + + + + + + + + + + + + + + + + + + + + plan specification + + + + + + + + + document + + + + + + + + + This is meant to capture processes that are more fundamental than macromolecular activities + physico-chemical process + + + + + + + + + + + + + + + completely executed planned process + + + + + + + + + A material entity processed by human activity with an intent to produce + processed material entity + + + + + + + + + investigation + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + assay + + + + + + + + + material processing + + + + + + + + + Should revisit if we can place outside of material entity - a collection of roles. + organization + + + + + + + + + + + + + + + + + + + + + + + + + + plan + + + + + + + + + conclusion based on data + + + + + + + + + data transformation + + + + + + + + + phenotypic finding + + + + + + + + + disease course + + + + + + + + + disease diagnosis + + + + + + + + + + + + + + + mass + + + + + + + + + + + + + + + charge + + + + + + + + + collection of organisms + + + + + + + + + protein + + + + + + + + + A role realized by a participant in a process such that the participant causes the process. + agent role + + + + + + + + entity nature + + + + + + + + + continuant nature + + + + + + + + + occurrent nature + + + + + + + + + independent continuant nature + + + + + + + + + spatial region nature + + + + + + + + + temporal region nature + + + + + + + + + two-dimensional spatial region nature + + + + + + + + + spatiotemporal region nature + + + + + + + + + process nature + + + + + + + + + disposition nature + + + + + + + + + realizable entity nature + + + + + + + + + zero-dimensional spatial region nature + + + + + + + + + quality nature + + + + + + + + + specifically dependent continuant nature + + + + + + + + + role nature + + + + + + + + + fiat object part nature + + + + + + + + + one-dimensional spatial region nature + + + + + + + + + object aggregate nature + + + + + + + + + three-dimensional spatial region nature + + + + + + + + + site nature + + + + + + + + + object nature + + + + + + + + + generically dependent continuant nature + + + + + + + + + function nature + + + + + + + + + process boundary nature + + + + + + + + + one-dimensional temporal region nature + + + + + + + + + material entity nature + + + + + + + + + continuant fiat boundary nature + + + + + + + + + immaterial entity nature + + + + + + + + + one-dimensional continuant fiat boundary nature + + + + + + + + + process profile nature + + + + + + + + + relational quality nature + + + + + + + + + two-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional temporal region nature + + + + + + + + + history nature + + + + + + + diff --git a/src/rdf_expressionizer/ontology/ro-rewired-tidy.owl b/src/rdf_expressionizer/ontology/ro-rewired-tidy.owl new file mode 100644 index 0000000..32abc05 --- /dev/null +++ b/src/rdf_expressionizer/ontology/ro-rewired-tidy.owl @@ -0,0 +1,17720 @@ + + + + + The OBO Relations Ontology (RO) is a collection of OWL relations (ObjectProperties) intended for use across a wide variety of biological ontologies. + + OBO Relations Ontology + 2023-08-18 + https://github.com/oborel/obo-relations/ + + + + + + + + + + + + + + + + + + + editor preferred term + + The concise, meaningful, and human-friendly name for a class or property preferred by the ontology developers. (US-English) + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + editor preferred term + + + + + + + + example of usage + + A phrase describing how a term should be used and/or a citation to a work which uses it. May also include other kinds of examples that facilitate immediate understanding, such as widely know prototypes or instances of a class, or cases where a relation is said to hold. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + example of usage + example of usage + + + + + + + + has curation status + PERSON:Alan Ruttenberg + PERSON:Bill Bug + PERSON:Melanie Courtot + has curation status + + + + + + + + definition + + The official definition, explaining the meaning of a class or property. Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions. + 2012-04-05: +Barry Smith + +The official OBI definition, explaining the meaning of a class or property: 'Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions' is terrible. + +Can you fix to something like: + +A statement of necessary and sufficient conditions explaining the meaning of an expression referring to a class or property. + +Alan Ruttenberg + +Your proposed definition is a reasonable candidate, except that it is very common that necessary and sufficient conditions are not given. Mostly they are necessary, occasionally they are necessary and sufficient or just sufficient. Often they use terms that are not themselves defined and so they effectively can't be evaluated by those criteria. + +On the specifics of the proposed definition: + +We don't have definitions of 'meaning' or 'expression' or 'property'. For 'reference' in the intended sense I think we use the term 'denotation'. For 'expression', I think we you mean symbol, or identifier. For 'meaning' it differs for class and property. For class we want documentation that let's the intended reader determine whether an entity is instance of the class, or not. For property we want documentation that let's the intended reader determine, given a pair of potential relata, whether the assertion that the relation holds is true. The 'intended reader' part suggests that we also specify who, we expect, would be able to understand the definition, and also generalizes over human and computer reader to include textual and logical definition. + +Personally, I am more comfortable weakening definition to documentation, with instructions as to what is desirable. + +We also have the outstanding issue of how to aim different definitions to different audiences. A clinical audience reading chebi wants a different sort of definition documentation/definition from a chemistry trained audience, and similarly there is a need for a definition that is adequate for an ontologist to work with. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition + definition + + + + + + + + editor note + + An administrative note intended for its editor. It may not be included in the publication version of the ontology, so it should contain nothing necessary for end users to understand the ontology. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obofoundry.org/obo/obi> + editor note + + + + + + + + term editor + + Name of editor entering the term in the file. The term editor is a point of contact for information regarding the term. The term editor may be, but is not always, the author of the definition, which may have been worked upon by several people + 20110707, MC: label update to term editor and definition modified accordingly. See https://github.com/information-artifact-ontology/IAO/issues/115. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + term editor + + + + + + + + alternative label + + A label for a class or property that can be used to refer to the class or property instead of the preferred rdfs:label. Alternative labels should be used to indicate community- or context-specific labels, abbreviations, shorthand forms and the like. + OBO Operations committee + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + Consider re-defing to: An alternative name for a class or property which can mean the same thing as the preferred name (semantically equivalent, narrow, broad or related). + alternative label + + + + + + + + definition source + + Formal citation, e.g. identifier in external database to indicate / attribute source(s) for the definition. Free text indicate / attribute source(s) for the definition. EXAMPLE: Author Name, URI, MeSH Term C04, PUBMED ID, Wiki uri on 31.01.2007 + PERSON:Daniel Schober + Discussion on obo-discuss mailing-list, see http://bit.ly/hgm99w + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition source + + + + + + + + curator note + + An administrative note of use for a curator but of no use for a user + PERSON:Alan Ruttenberg + curator note + + + + + + + + term tracker item + the URI for an OBI Terms ticket at sourceforge, such as https://sourceforge.net/p/obi/obi-terms/772/ + + An IRI or similar locator for a request or discussion of an ontology term. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'tracker item' can associate a tracker with a specific ontology term. + term tracker item + + + + + + + + imported from + + For external terms/classes, the ontology from which the term was imported + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + imported from + + + + + + + + expand expression to + ObjectProperty: RO_0002104 +Label: has plasma membrane part +Annotations: IAO_0000424 "http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.org/obo/owl/GO#GO_0005886 and http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an object property (or possibly a data property) which can be used by a macro-expansion engine to generate more complex expressions from simpler ones + Chris Mungall + expand expression to + + + + + + + + expand assertion to + ObjectProperty: RO??? +Label: spatially disjoint from +Annotations: expand_assertion_to "DisjointClasses: (http://purl.obolibrary.org/obo/BFO_0000051 some ?X) (http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an annotation property which can be expanded into a more detailed axiom. + Chris Mungall + expand assertion to + + + + + + + + first order logic expression + An assertion that holds between an OWL Object Property and a string or literal, where the value of the string or literal is a Common Logic sentence of collection of sentences that define the Object Property. + PERSON:Alan Ruttenberg + first order logic expression + + + + + + + + + OBO foundry unique label + + An alternative name for a class or property which is unique across the OBO Foundry. + The intended usage of that property is as follow: OBO foundry unique labels are automatically generated based on regular expressions provided by each ontology, so that SO could specify unique label = 'sequence ' + [label], etc. , MA could specify 'mouse + [label]' etc. Upon importing terms, ontology developers can choose to use the 'OBO foundry unique label' for an imported term or not. The same applies to tools . + PERSON:Alan Ruttenberg + PERSON:Bjoern Peters + PERSON:Chris Mungall + PERSON:Melanie Courtot + GROUP:OBO Foundry <http://obofoundry.org/> + OBO foundry unique label + + + + + + + + elucidation + person:Alan Ruttenberg + Person:Barry Smith + Primitive terms in a highest-level ontology such as BFO are terms which are so basic to our understanding of reality that there is no way of defining them in a non-circular fashion. For these, therefore, we can provide only elucidations, supplemented by examples and by axioms + elucidation + + + + + + + + has ontology root term + Ontology annotation property. Relates an ontology to a term that is a designated root term of the ontology. Display tools like OLS can use terms annotated with this property as the starting point for rendering the ontology class hierarchy. There can be more than one root. + Nicolas Matentzoglu + has ontology root term + + + + + + + + term replaced by + + Use on obsolete terms, relating the term to another term that can be used as a substitute + Person:Alan Ruttenberg + Person:Alan Ruttenberg + Add as annotation triples in the granting ontology + term replaced by + + + + + + + + 'part disjoint with' 'defined by construct' """ + PREFIX owl: <http://www.w3.org/2002/07/owl#> + PREFIX : <http://example.org/ + CONSTRUCT { + [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?a ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?b + ] + ] + } + WHERE { + ?a :part_disjoint_with ?b . + } + Links an annotation property to a SPARQL CONSTRUCT query which is meant to provide semantics for a shortcut relation. + + + + defined by construct + + + + + + + + An assertion that holds between an OWL Object Property and a temporal interpretation that elucidates how OWL Class Axioms that use this property are to be interpreted in a temporal context. + temporal interpretation + + + + + + + + + + tooth SubClassOf 'never in taxon' value 'Aves' + x never in taxon T if and only if T is a class, and x does not instantiate the class expression "in taxon some T". Note that this is a shortcut relation, and should be used as a hasValue restriction in OWL. + + + + Class: ?X DisjointWith: RO_0002162 some ?Y + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX never_in_taxon: <http://purl.obolibrary.org/obo/RO_0002161> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?x owl:disjointWith [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . + ?x rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom [ + a owl:Class ; + owl:complementOf ?taxon + ] + ] . +} +WHERE { + ?x never_in_taxon: ?taxon . +} + never in taxon + + + + + + + + + + A is mutually_spatially_disjoint_with B if both A and B are classes, and there exists no p such that p is part_of some A and p is part_of some B. + non-overlapping with + shares no parts with + + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (BFO_0000050 some ?Y) + PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX part_of: <http://purl.obolibrary.org/obo/BFO_0000050> +PREFIX mutually_spatially_disjoint_with: <http://purl.obolibrary.org/obo/RO_0002171> +CONSTRUCT { + part_of: a owl:ObjectProperty . + [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?x ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?y + ] + ] +} +WHERE { + ?x mutually_spatially_disjoint_with: ?y . +} + mutually spatially disjoint with + + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + An assertion that holds between an ontology class and an organism taxon class, which is intepreted to yield some relationship between instances of the ontology class and the taxon. + taxonomic class assertion + + + + + + + + + + S ambiguous_for_taxon T if the class S does not have a clear referent in taxon T. An example would be the class 'manual digit 1', which encompasses a homology hypotheses that is accepted for some species (e.g. human and mouse), but does not have a clear referent in Aves - the referent is dependent on the hypothesis embraced, and also on the ontogenetic stage. [PHENOSCPAE:asilomar_mtg] + ambiguous for taxon + + + + + + + + + + S dubious_for_taxon T if it is probably the case that no instances of S can be found in any instance of T. + + + This relation lacks a strong logical interpretation, but can be used in place of never_in_taxon where it is desirable to state that the definition of the class is too strict for the taxon under consideration, but placing a never_in_taxon link would result in a chain of inconsistencies that will take ongoing coordinated effort to resolve. Example: metencephalon in teleost + dubious for taxon + + + + + + + + + + S present_in_taxon T if some instance of T has some S. This does not means that all instances of T have an S - it may only be certain life stages or sexes that have S + + + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX present_in_taxon: <http://purl.obolibrary.org/obo/RO_0002175> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?witness rdfs:label ?label . + ?witness rdfs:subClassOf ?x . + ?witness rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . +} +WHERE { + ?x present_in_taxon: ?taxon . + BIND(IRI(CONCAT( + "http://purl.obolibrary.org/obo/RO_0002175#", + MD5(STR(?x)), + "-", + MD5(STR(?taxon)) + )) as ?witness) + BIND(CONCAT(STR(?x), " in taxon ", STR(?taxon)) AS ?label) +} + The SPARQL expansion for this relation introduces new named classes into the ontology. For this reason it is likely that the expansion should only be performed during a QC pipeline; the expanded output should usually not be included in a published version of the ontology. + present in taxon + + + + + + + + + + defined by inverse + + + + + + + + + An assertion that involves at least one OWL object that is intended to be expanded into one or more logical axioms. The logical expansion can yield axioms expressed using any formal logical system, including, but not limited to OWL2-DL. + logical macro assertion + http://purl.obolibrary.org/obo/ro/docs/shortcut-relations/ + + + + + + + + An assertion that holds between an OWL Annotation Property P and a non-negative integer N, with the interpretation: for any P(i j) it must be the case that | { k : P(i k) } | = N. + annotation property cardinality + + + + + + + + + + A logical macro assertion whose domain is an IRI for a class + The domain for this class can be considered to be owl:Class, but we cannot assert this in OWL2-DL + logical macro assertion on a class + + + + + + + + + A logical macro assertion whose domain is an IRI for a property + logical macro assertion on a property + + + + + + + + + Used to annotate object properties to describe a logical meta-property or characteristic of the object property. + logical macro assertion on an object property + + + + + + + + + logical macro assertion on an annotation property + + + + + + + + + An assertion that holds between an OWL Object Property and a dispositional interpretation that elucidates how OWL Class Axioms or OWL Individuals that use this property are to be interpreted in a dispositional context. For example, A binds B may be interpreted as A have a mutual disposition that is realized by binding to the other one. + dispositional interpretation + + + + + + + + + 'pectoral appendage skeleton' has no connections with 'pelvic appendage skeleton' + A is has_no_connections_with B if there are no parts of A or B that have a connection with the other. + shares no connection with + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (RO_0002170 some (BFO_0000050 some ?Y)) + has no connections with + + + + + + + + + inherited annotation property + + + + + + + + Connects an ontology entity (class, property, etc) to a URL from which curator guidance can be obtained. This assertion is inherited in the same manner as functional annotations (e.g. for GO, over SubClassOf and part_of) + curator guidance link + + + + + + + + + brain always_present_in_taxon 'Vertebrata' + forelimb always_present_in_taxon Euarchontoglires + S always_present_in_taxon T if every fully formed member of taxon T has part some S, or is an instance of S + This is a very strong relation. Often we will not have enough evidence to know for sure that there are no species within a lineage that lack the structure - loss is common in evolution. However, there are some statements we can make with confidence - no vertebrate lineage could persist without a brain or a heart. All primates are limbed. + never lost in + always present in taxon + + + + + + + + + This properties were created originally for the annotation of developmental or life cycle stages, such as for example Carnegie Stage 20 in humans. + temporal logical macro assertion on a class + + + + + + + + + measurement property has unit + + + + + + + + + has start time value + + + + + + + + + + has end time value + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 0 for this property. + start, days post fertilization + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 1 for this property. + end, days post fertilization + + + + + + + + + + Count of number of years intervening between the start of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 0 for this property, and the period during which the child is one year old has the value 1. + start, years post birth + + + + + + + + + + Count of number of years intervening between the end of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 1 for this property, and the period during which the child is one year old has the value 2 + end, years post birth + + + + + + + + + + Count of number of months intervening between the start of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 0 for this property, and the period during which the child is one month old has the value 1. + start, months post birth + + + + + + + + + + Count of number of months intervening between the end of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 1 for this property, and the period during which the child is one month old has the value 2 + end, months post birth + + + + + + + + + + Defines the start and end of a stage with a duration of 1 month, relative to either the time of fertilization or last menstrual period of the mother (to be clarified), counting from one, in terms of a reference model. Thus if month_of_gestation=3, then the stage is 2 month in. + month of gestation + + + + + + + + + + A relationship between a stage class and an anatomical structure or developmental process class, in which the stage is characterized by the appearance of the structure or the occurrence of the biological process + has developmental stage marker + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of coitum. + For mouse staging: assuming that it takes place around midnight during a 7pm to 5am dark cycle (noon of the day on which the vaginal plug is found, the embryos are aged 0.5 days post coitum) + start, days post coitum + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of coitum. + end, days post coitum + + + + + + + + + + start, weeks post birth + + + + + + + + + + end, weeks post birth + + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x subject-partner-in p, y object-partner-in p + is asymmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x partner-in p, y partner-in p + is symmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + R is the relational form of a process if and only if either (1) R is the symmetric relational form of a process or (2) R is the asymmetric relational form of a process + is relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + relation p is the direct form of relation q iff p is a subPropertyOf q, p does not have the Transitive characteristic, q does have the Transitive characteristic, and for all x, y: x q y -> exists z1, z2, ..., zn such that x p z1 ... z2n y + The general property hierarchy is: + + "directly P" SubPropertyOf "P" + Transitive(P) + +Where we have an annotation assertion + + "directly P" "is direct form of" "P" + If we have the annotation P is-direct-form-of Q, and we have inverses P' and Q', then it follows that P' is-direct-form-of Q' + + is direct form of + + + + + + + + + + relation p is the indirect form of relation q iff p is a subPropertyOf q, and there exists some p' such that p' is the direct form of q, p' o p' -> p, and forall x,y : x q y -> either (1) x p y or (2) x p' y + + is indirect form of + + + + + + + + + + logical macro assertion on an axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then it also holds that R -> P o Q. Note that this cannot be expressed directly in OWL + is a defining property chain axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then (1) R -> P o Q holds and (2) Q is either reflexive or locally reflexive. A corollary of this is that P SubPropertyOf R. + is a defining property chain axiom where second argument is reflexive + + + + + + + + + An annotation property that connects an object property to a class, where the object property is derived from or a shortcut property for the class. The exact semantics of this annotation may vary on a case by case basis. + is relational form of a class + + + + + + + + + A shortcut relationship that holds between two entities based on their identity criteria + logical macro assertion involving identity + + + + + + + + + A shortcut relationship between two entities x and y1, such that the intent is that the relationship is functional and inverse function, but there is no guarantee that this property holds. + in approximate one to one relationship with + + + + + + + + + x is approximately equivalent to y if it is the case that x is equivalent, identical or near-equivalent to y + The precise meaning of this property is dependent upon some contexts. It is intended to group multiple possible formalisms. Possibilities include a probabilistic interpretation, for example, Pr(x=y) > 0.95. Other possibilities include reified statements of belief, for example, "Database D states that x=y" + is approximately equivalent to + + + + + + + + + 'anterior end of organism' is-opposite-of 'posterior end of organism' + 'increase in temperature' is-opposite-of 'decrease in temperature' + x is the opposite of y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is opposite of + + + + + + + + + x is indistinguishable from y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is indistinguishable from + + + + + + + + + evidential logical macro assertion on an axiom + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence supports the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom has evidence + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence contradicts the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom contradicted by evidence + + + + + + + + + In the context of a particular project, the IRI with CURIE NCBIGene:64327 (which in this example denotes a class) is considered to be representative. This means that if we have equivalent classes with IRIs OMIM:605522, ENSEMBL:ENSG00000105983, HGNC:13243 forming an equivalence set, the NCBIGene is considered the representative member IRI. Depending on the policies of the project, the classes may be merged, or the NCBIGene IRI may be chosen as the default in a user interface context. + this property relates an IRI to the xsd boolean value "True" if the IRI is intended to be the representative IRI for a collection of classes that are mutually equivalent. + If it is necessary to make the context explicit, an axiom annotation can be added to the annotation assertion + is representative IRI for equivalence set + OWLAPI Reasoner documentation for representativeElement, which follows a similar idea, but selects an arbitrary member + + + + + + + + + true if the two properties are disjoint, according to OWL semantics. This should only be used if using a logical axiom introduces a non-simple property violation. + + nominally disjoint with + + + + + + + + + Used to annotate object properties representing a causal relationship where the value indicates a direction. Should be "+", "-" or "0" + + 2018-03-13T23:59:29Z + is directional form of + + + + + + + + + + 2018-03-14T00:03:16Z + is positive form of + + + + + + + + + + 2018-03-14T00:03:24Z + is negative form of + + + + + + + + + part-of is homeomorphic for independent continuants. + R is homemorphic for C iff (1) there exists some x,y such that x R y, and x and y instantiate C and (2) for all x, if x is an instance of C, and there exists some y some such that x R y, then it follows that y is an instance of C. + + 2018-10-21T19:46:34Z + R homeomorphic-for C expands to: C SubClassOf R only C. Additionally, for any class D that is disjoint with C, we can also expand to C DisjointWith R some D, D DisjointWith R some C. + is homeomorphic for + + + + + + + + + + + 2020-09-22T11:05:29Z + valid_for_go_annotation_extension + + + + + + + + + + + 2020-09-22T11:05:18Z + valid_for_go_gp2term + + + + + + + + + + + 2020-09-22T11:04:12Z + valid_for_go_ontology + + + + + + + + + + + 2020-09-22T11:05:45Z + valid_for_gocam + + + + + + + + + + eco subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + subset_property + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An alternative label for a class or property which has a more general meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + has broad synonym + has_broad_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + + + + + + + + + database_cross_reference + + + + + + + + An alternative label for a class or property which has the exact same meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + has exact synonym + has_exact_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + + + + + + + + + An alternative label for a class or property which has a more specific meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + has narrow synonym + has_narrow_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + + + + + + + + + has_obo_format_version + + + + + + + + An alternative label for a class or property that has been used synonymously with the primary term name, but the usage is not strictly correct. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + has related synonym + has_related_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + + + + + + + + + + + + + + + in_subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is defined by + + + + + is defined by + This is an experimental annotation + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is part of + my brain is part of my body (continuant parthood, two material entities) + my stomach cavity is part of my stomach (continuant parthood, immaterial entity is part of material entity) + this day is part of this year (occurrent parthood) + a core relation that holds between a part and its whole + Everything is part of itself. Any part of any part of a thing is itself part of that thing. Two distinct things cannot be part of each other. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent can be part of an occurrent; only a process can be part of a process; only a continuant can be part of a continuant; only an independent continuant can be part of an independent continuant; only an immaterial entity can be part of an immaterial entity; only a specifically dependent continuant can be part of a specifically dependent continuant; only a generically dependent continuant can be part of a generically dependent continuant. (This list is not exhaustive.) + +A continuant cannot be part of an occurrent: use 'participates in'. An occurrent cannot be part of a continuant: use 'has participant'. A material entity cannot be part of an immaterial entity: use 'has location'. A specifically dependent continuant cannot be part of an independent continuant: use 'inheres in'. An independent continuant cannot be part of a specifically dependent continuant: use 'bearer of'. + part_of + + + + + + + + + + + + + + + + + + + + + + + part of + + + http://www.obofoundry.org/ro/#OBO_REL:part_of + https://wiki.geneontology.org/Part_of + + + + + + + + + + has part + my body has part my brain (continuant parthood, two material entities) + my stomach has part my stomach cavity (continuant parthood, material entity has part immaterial entity) + this year has part this day (occurrent parthood) + a core relation that holds between a whole and its part + Everything has itself as a part. Any part of any part of a thing is itself part of that thing. Two distinct things cannot have each other as a part. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent have an occurrent as part; only a process can have a process as part; only a continuant can have a continuant as part; only an independent continuant can have an independent continuant as part; only a specifically dependent continuant can have a specifically dependent continuant as part; only a generically dependent continuant can have a generically dependent continuant as part. (This list is not exhaustive.) + +A continuant cannot have an occurrent as part: use 'participates in'. An occurrent cannot have a continuant as part: use 'has participant'. An immaterial entity cannot have a material entity as part: use 'location of'. An independent continuant cannot have a specifically dependent continuant as part: use 'bearer of'. A specifically dependent continuant cannot have an independent continuant as part: use 'inheres in'. + has_part + + + + + has part + + + + + + + + + + + realized in + this disease is realized in this disease course + this fragility is realized in this shattering + this investigator role is realized in this investigation + is realized by + realized_in + [copied from inverse property 'realizes'] to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a realizable entity and a process, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realized in + + + + + + + + + + realizes + this disease course realizes this disease + this investigation realizes this investigator role + this shattering realizes this fragility + to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a process and a realizable entity, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realizes + + + + + + + + + accidentally included in BFO 1.2 proposal + - should have been BFO_0000062 + obsolete preceded by + true + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + preceded by + x is preceded by y if and only if the time point at which y ends is before or equivalent to the time point at which x starts. Formally: x preceded by y iff ω(y) <= α(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + An example is: translation preceded_by transcription; aging preceded_by development (not however death preceded_by aging). Where derives_from links classes of continuants, preceded_by links classes of processes. Clearly, however, these two relations are not independent of each other. Thus if cells of type C1 derive_from cells of type C, then any cell division involving an instance of C1 in a given lineage is preceded_by cellular processes involving an instance of C. The assertion P preceded_by P1 tells us something about Ps in general: that is, it tells us something about what happened earlier, given what we know about what happened later. Thus it does not provide information pointing in the opposite direction, concerning instances of P1 in general; that is, that each is such as to be succeeded by some instance of P. Note that an assertion to the effect that P preceded_by P1 is rather weak; it tells us little about the relations between the underlying instances in virtue of which the preceded_by relation obtains. Typically we will be interested in stronger relations, for example in the relation immediately_preceded_by, or in relations which combine preceded_by with a condition to the effect that the corresponding instances of P and P1 share participants, or that their participants are connected by relations of derivation, or (as a first step along the road to a treatment of causality) that the one process in some way affects (for example, initiates or regulates) the other. + is preceded by + preceded_by + http://www.obofoundry.org/ro/#OBO_REL:preceded_by + + preceded by + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + precedes + x precedes y if and only if the time point at which x ends is before or equivalent to the time point at which y starts. Formally: x precedes y iff ω(x) <= α(y), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + precedes + + + + + + + + + + + + + + + + + + + + + + + + + + + + + occurs in + b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + occurs_in + unfolds in + unfolds_in + + + + Paraphrase of definition: a relation between a process and an independent continuant, in which the process takes place entirely within the independent continuant + + occurs in + https://wiki.geneontology.org/Occurs_in + + + + + + + + site of + [copied from inverse property 'occurs in'] b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + Paraphrase of definition: a relation between an independent continuant and a process, in which the process takes place entirely within the independent continuant + + contains process + + + + + + + + A relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist through the separation or transformation of a part of the old entity, and the new entity inherits a significant portion of the matter belonging to that part of the old entity. + derives from part of + + + + + + + + + + + inheres in + this fragility is a characteristic of this vase + this red color is a characteristic of this apple + a relation between a specifically dependent continuant (the characteristic) and any other entity (the bearer), in which the characteristic depends on the bearer for its existence. + inheres_in + + Note that this relation was previously called "inheres in", but was changed to be called "characteristic of" because BFO2 uses "inheres in" in a more restricted fashion. This relation differs from BFO2:inheres_in in two respects: (1) it does not impose a range constraint, and thus it allows qualities of processes, as well as of information entities, whereas BFO2 restricts inheres_in to only apply to independent continuants (2) it is declared functional, i.e. something can only be a characteristic of one thing. + characteristic of + + + + + + + + + + bearer of + this apple is bearer of this red color + this vase is bearer of this fragility + Inverse of characteristic_of + A bearer can have many dependents, and its dependents can exist for different periods of time, but none of its dependents can exist when the bearer does not exist. + bearer_of + is bearer of + + has characteristic + + + + + + + + + + + + + + + + + + + + + participates in + this blood clot participates in this blood coagulation + this input material (or this output material) participates in this process + this investigator participates in this investigation + a relation between a continuant and a process, in which the continuant is somehow involved in the process + participates_in + participates in + + + + + + + + + + + + + + + + + + + + + + + + + + + + + has participant + this blood coagulation has participant this blood clot + this investigation has participant this investigator + this process has participant this input material (or this output material) + a relation between a process and a continuant, in which the continuant is somehow involved in the process + Has_participant is a primitive instance-level relation between a process, a continuant, and a time at which the continuant participates in some way in the process. The relation obtains, for example, when this particular process of oxygen exchange across this particular alveolar membrane has_participant this particular sample of hemoglobin at this particular time. + has_participant + http://www.obofoundry.org/ro/#OBO_REL:has_participant + has participant + + + + + + + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The journal article (a generically dependent continuant) is concretized as the quality (a specifically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a generically dependent continuant and a specifically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. A generically dependent continuant may be concretized as multiple specifically dependent continuants. + is concretized as + + + + + + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The quality (a specifically dependent continuant) concretizes the journal article (a generically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a specifically dependent continuant and a generically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. Multiple specifically dependent continuants can concretize the same generically dependent continuant. + concretizes + + + + + + + + + + + this catalysis function is a function of this enzyme + a relation between a function and an independent continuant (the bearer), in which the function specifically depends on the bearer for its existence + A function inheres in its bearer at all times for which the function exists, however the function need not be realized at all the times that the function exists. + function_of + is function of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + function of + + + + + + + + + + this red color is a quality of this apple + a relation between a quality and an independent continuant (the bearer), in which the quality specifically depends on the bearer for its existence + A quality inheres in its bearer at all times for which the quality exists. + is quality of + quality_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + quality of + + + + + + + + + + this investigator role is a role of this person + a relation between a role and an independent continuant (the bearer), in which the role specifically depends on the bearer for its existence + A role inheres in its bearer at all times for which the role exists, however the role need not be realized at all the times that the role exists. + is role of + role_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + role of + + + + + + + + + + + + + + + + this enzyme has function this catalysis function (more colloquially: this enzyme has this catalysis function) + a relation between an independent continuant (the bearer) and a function, in which the function specifically depends on the bearer for its existence + A bearer can have many functions, and its functions can exist for different periods of time, but none of its functions can exist when the bearer does not exist. A function need not be realized at all the times that the function exists. + has_function + has function + + + + + + + + + + + + + + + this apple has quality this red color + a relation between an independent continuant (the bearer) and a quality, in which the quality specifically depends on the bearer for its existence + A bearer can have many qualities, and its qualities can exist for different periods of time, but none of its qualities can exist when the bearer does not exist. + has_quality + has quality + + + + + + + + + + + + + + + + this person has role this investigator role (more colloquially: this person has this role of investigator) + a relation between an independent continuant (the bearer) and a role, in which the role specifically depends on the bearer for its existence + A bearer can have many roles, and its roles can exist for different periods of time, but none of its roles can exist when the bearer does not exist. A role need not be realized at all the times that the role exists. + has_role + has role + + + + + + + + + + + + + + + + + a relation between an independent continuant (the bearer) and a disposition, in which the disposition specifically depends on the bearer for its existence + has disposition + + + + + + + + + inverse of has disposition + + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + disposition of + + + + + + + + + OBSOLETE A relation that holds between two neurons connected directly via a synapse, or indirectly via a series of synaptically connected neurons. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_to another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_to the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete upstream in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_by another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_by the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete downstream in neural circuit with + true + + + + + + + + + this cell derives from this parent cell (cell division) + this nucleus derives from this parent nucleus (nuclear division) + + a relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops from'. + derives_from + This relation is taken from the RO2005 version of RO. It may be obsoleted and replaced by relations with different definitions. See also the 'develops from' family of relations. + + derives from + + + + + + + + this parent cell derives into this cell (cell division) + this parent nucleus derives into this nucleus (nuclear division) + + a relation between two distinct material entities, the old entity and the new entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops into'. To avoid making statements about a future that may not come to pass, it is often better to use the backward-looking 'derives from' rather than the forward-looking 'derives into'. + derives_into + + derives into + + + + + + + + + + is location of + my head is the location of my brain + this cage is the location of this rat + a relation between two independent continuants, the location and the target, in which the target is entirely within the location + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + location_of + + location of + + + + + + + + contained in + Containment is location not involving parthood, and arises only where some immaterial continuant is involved. + Containment obtains in each case between material and immaterial continuants, for instance: lung contained_in thoracic cavity; bladder contained_in pelvic cavity. Hence containment is not a transitive relation. If c part_of c1 at t then we have also, by our definition and by the axioms of mereology applied to spatial regions, c located_in c1 at t. Thus, many examples of instance-level location relations for continuants are in fact cases of instance-level parthood. For material continuants location and parthood coincide. Containment is location not involving parthood, and arises only where some immaterial continuant is involved. To understand this relation, we first define overlap for continuants as follows: c1 overlap c2 at t =def for some c, c part_of c1 at t and c part_of c2 at t. The containment relation on the instance level can then be defined (see definition): + contained_in + obsolete contained in + + true + + + + + + + + contains + obsolete contains + + true + + + + + + + + + + + penicillin (CHEBI:17334) is allergic trigger for penicillin allergy (DOID:0060520) + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is allergic trigger for + + + + + + + + + + + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is autoimmune trigger for + + + + + + + + + + penicillin allergy (DOID:0060520) has allergic trigger penicillin (CHEBI:17334) + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has allergic trigger + + + + + + + + + + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has autoimmune trigger + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + located in + my brain is located in my head + this rat is located in this cage + a relation between two independent continuants, the target and the location, in which the target is entirely within the location + Location as a relation between instances: The primitive instance-level relation c located_in r at t reflects the fact that each continuant is at any given time associated with exactly one spatial region, namely its exact location. Following we can use this relation to define a further instance-level location relation - not between a continuant and the region which it exactly occupies, but rather between one continuant and another. c is located in c1, in this sense, whenever the spatial region occupied by c is part_of the spatial region occupied by c1. Note that this relation comprehends both the relation of exact location between one continuant and another which obtains when r and r1 are identical (for example, when a portion of fluid exactly fills a cavity), as well as those sorts of inexact location relations which obtain, for example, between brain and head or between ovum and uterus + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + located_in + + http://www.obofoundry.org/ro/#OBO_REL:located_in + + located in + https://wiki.geneontology.org/Located_in + + + + + + + + + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + + + + + the surface of my skin is a 2D boundary of my body + a relation between a 2D immaterial entity (the boundary) and a material entity, in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + 2D_boundary_of + boundary of + is 2D boundary of + is boundary of + surface of + + 2D boundary of + + + + + + + + + + May be obsoleted, see https://github.com/oborel/obo-relations/issues/260 + + + aligned with + + + + + + + + + + + my body has 2D boundary the surface of my skin + a relation between a material entity and a 2D immaterial entity (the boundary), in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + + has boundary + has_2D_boundary + + has 2D boundary + + + + + + + + + A relation that holds between two neurons that are electrically coupled via gap junctions. + + + electrically_synapsed_to + + + + + + + + + + + The relationship that holds between a trachea or tracheole and an antomical structure that is contained in (and so provides an oxygen supply to). + + tracheates + + + + + + + + + + + + http://www.ncbi.nlm.nih.gov/pubmed/22402613 + innervated_by + + + + + + + + + + + + has synaptic terminal of + + + + + + + + + + + + + + + + + + + + + X outer_layer_of Y iff: +. X :continuant that bearer_of some PATO:laminar +. X part_of Y +. exists Z :surface +. X has_boundary Z +. Z boundary_of Y + +has_boundary: http://purl.obolibrary.org/obo/RO_0002002 +boundary_of: http://purl.obolibrary.org/obo/RO_0002000 + + + A relationship that applies between a continuant and its outer, bounding layer. Examples include the relationship between a multicellular organism and its integument, between an animal cell and its plasma membrane, and between a membrane bound organelle and its outer/bounding membrane. + bounding layer of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A relation that holds between two linear structures that are approximately parallel to each other for their entire length and where either the two structures are adjacent to each other or one is part of the other. + Note from NCEAS meeting: consider changing primary label + + + Example: if we define region of chromosome as any subdivision of a chromosome along its long axis, then we can define a region of chromosome that contains only gene x as 'chromosome region' that coincident_with some 'gene x', where the term gene X corresponds to a genomic sequence. + coincident with + + + + + + + + + + A relation that applies between a cell(c) and a gene(g) , where the process of 'transcription, DNA templated (GO_0006351)' is occuring in in cell c and that process has input gene g. + + x 'cell expresses' y iff: +cell(x) +AND gene(y) +AND exists some 'transcription, DNA templated (GO_0006351)'(t) +AND t occurs_in x +AND t has_input y + cell expresses + + + + + + + + + + + x 'regulates in other organism' y if and only if: (x is the realization of a function to exert an effect on the frequency, rate or extent of y) AND (the agents of x are produced by organism o1 and the agents of y are produced by organism o2). + + regulates in other organism + + + + + + + + + + + + A relationship that holds between a process that regulates a transport process and the entity transported by that process. + + + regulates transport of + + + + + + + + + + + + + + + + + + + + + + A part of relation that applies only between occurrents. + occurrent part of + + + + + + + + + + A 'has regulatory component activity' B if A and B are GO molecular functions (GO_0003674), A has_component B and A is regulated by B. + + 2017-05-24T09:30:46Z + has regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that negatively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is negatively regulated by B. + + 2017-05-24T09:31:01Z + By convention GO molecular functions are classified by their effector function. Internal regulatory functions are treated as components. For example, NMDA glutmate receptor activity is a cation channel activity with positive regulatory component 'glutamate binding' and negative regulatory components including 'zinc binding' and 'magnesium binding'. + has negative regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that positively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is positively regulated by B. + + 2017-05-24T09:31:17Z + By convention GO molecular functions are classified by their effector function and internal regulatory functions are treated as components. So, for example calmodulin has a protein binding activity that has positive regulatory component activity calcium binding activity. Receptor tyrosine kinase activity is a tyrosine kinase activity that has positive regulatory component 'ligand binding'. + has positive regulatory component activity + + + + + + + + + + + 2017-05-24T09:36:08Z + A has necessary component activity B if A and B are GO molecular functions (GO_0003674), A has_component B and B is necessary for A. For example, ATPase coupled transporter activity has necessary component ATPase activity; transcript factor activity has necessary component DNA binding activity. + has necessary component activity + + + + + + + + + + 2017-05-24T09:44:33Z + A 'has component activity' B if A is A and B are molecular functions (GO_0003674) and A has_component B. + has component activity + + + + + + + + + + + w 'has process component' p if p and w are processes, w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + + 2017-05-24T09:49:21Z + has component process + + + + + + + + + A relationship that holds between between a receptor and an chemical entity, typically a small molecule or peptide, that carries information between cells or compartments of a cell and which binds the receptor and regulates its effector function. + + 2017-07-19T17:30:36Z + has ligand + + + + + + + + + Holds between p and c when p is a transport process or transporter activity and the outcome of this p is to move c from one location to another. + + 2017-07-20T17:11:08Z + transports + + + + + + + + + A relationship between a process and a barrier, where the process occurs in a region spanning the barrier. For cellular processes the barrier is typically a membrane. Examples include transport across a membrane and membrane depolarization. + + 2017-07-20T17:19:37Z + occurs across + + + + + + + + + + + 2017-09-17T13:52:24Z + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + directly regulated by + + + + + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + + + + + + + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + 2017-09-17T13:52:38Z + directly negatively regulated by + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + + + + + + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + 2017-09-17T13:52:47Z + directly positively regulated by + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + + + + + + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + 2017-09-22T14:14:36Z + This relation is designed for constructing compound molecular functions, typically in combination with one or more regulatory component activity relations. + has effector activity + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + + + + + + + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + 2017-12-07T12:58:06Z + in register with + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + + + + + + + + + David Osumi-Sutherland + <= + + Primitive instance level timing relation between events + before or simultaneous with + + + + + + + + + + + x simultaneous with y iff ω(x) = ω(y) and ω(α ) = ω(α), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point and '=' indicates the same instance in time. + + David Osumi-Sutherland + + t1 simultaneous_with t2 iff:= t1 before_or_simultaneous_with t2 and not (t1 before t2) + simultaneous with + + + + + + + + + + David Osumi-Sutherland + + t1 before t2 iff:= t1 before_or_simulataneous_with t2 and not (t1 simultaeous_with t2) + before + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002122 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which ends + + + + + + + + + + + + di + Previously had ID http://purl.obolibrary.org/obo/RO_0002124 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + encompasses + + + + + + + + + + + + + + David Osumi-Sutherland + + X ends_after Y iff: end(Y) before_or_simultaneous_with end(X) + ends after + + + + + + + + + + + + + + David Osumi-Sutherland + starts_at_end_of + X immediately_preceded_by Y iff: end(X) simultaneous_with start(Y) + immediately preceded by + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002123 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which starts + + + + + + + + + + + + + + David Osumi-Sutherland + + starts before + + + + + + + + + + + + + + David Osumi-Sutherland + ends_at_start_of + meets + + + X immediately_precedes_Y iff: end(X) simultaneous_with start(Y) + immediately precedes + + + + + + + + + + + + + + + + + + + + + David Osumi-Sutherland + io + + X starts_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (start(X) before_or_simultaneous_with end(Y)) + starts during + + + + + + + + + + + David Osumi-Sutherland + d + during + + + + + X happens_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (end(X) before_or_simultaneous_with end(Y)) + happens during + https://wiki.geneontology.org/Happens_during + + + + + + + + + David Osumi-Sutherland + o + overlaps + + X ends_during Y iff: ((start(Y) before_or_simultaneous_with end(X)) AND end(X) before_or_simultaneous_with end(Y). + ends during + + + + + + + + + + + + + + + + Relation between a neuron and a material anatomical entity that its soma is part of. + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0043025> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y) + + has soma location + + + + + + + + + + + + + relationship between a neuron and a neuron projection bundle (e.g.- tract or nerve bundle) that one or more of its projections travels through. + + + fasciculates with + (forall (?x ?y) + (iff + (fasciculates_with ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron ; CL_0000540" ?x) + ("neuron projection bundle ; CARO_0001001" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500' " ?npbs) + (part_of ?npbs ?y) + (part_of ?nps ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + fasciculates with + + + + + + + + + + + + + + + Relation between a neuron and some structure its axon forms (chemical) synapses in. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030424> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0042734> and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + axon synapses in + + + + + + + + + + + + + + + + + + + + + + Relation between an anatomical structure (including cells) and a neuron that chemically synapses to it. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that has_part some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + synapsed by + + + + + + + + + + + Every B cell[CL_0000236] has plasma membrane part some immunoglobulin complex[GO_0019814] + + Holds between a cell c and a protein complex or protein p if and only if that cell has as part a plasma_membrane[GO:0005886], and that plasma membrane has p as part. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0005886> and <http://purl.obolibrary.org/obo/BFO_0000051> some ?Y) + + has plasma membrane part + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Ib bouton. + + + BFO_0000051 some (GO_0061176 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Ib terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Ib_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Is bouton. + + + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Is terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Is_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type II bouton. + + + BFO_0000051 some (GO_0061175 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + Expands to: has_part some ('type II terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_II_bouton_to + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type II bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061174 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type II terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_II_bouton + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Ib bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061176 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Ib terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Ib_bouton + + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + + + synapsed in + http://purl.obolibrary.org/obo/BFO_0000051 some ( + http://purl.org/obo/owl/GO#GO_0045211 and http://purl.obolibrary.org/obo/BFO_0000050 some ( + http://purl.org/obo/owl/GO#GO_0045202 and http://purl.obolibrary.org/obo/BFO_0000050 some ?Y)) + + + has postsynaptic terminal in + + + + + + + + + + + has neurotransmitter + releases neurotransmitter + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Is bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061177 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Is terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Is_bouton + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + synapses in + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has presynaptic terminal in + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type III bouton. + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0097467 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type III terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_III_bouton_to + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type III bouton. + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0097467 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type III terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_III_bouton + + + + + + + + + + + + + + + + + + + + + Relation between a neuron and an anatomical structure (including cells) that it chemically synapses to. + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + N1 synapsed_to some N2 +Expands to: +N1 SubclassOf ( + has_part some ( + ‘pre-synaptic membrane ; GO:0042734’ that part_of some ( + ‘synapse ; GO:0045202’ that has_part some ( + ‘post-synaptic membrane ; GO:0045211’ that part_of some N2)))) + synapsed to + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which its dendrite receives synaptic input. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030425> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + http://purl.obolibrary.org/obo/GO_0042734 and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + dendrite synapsed in + + + + + + + + + + + + + + + A general relation between a neuron and some structure in which it either chemically synapses to some target or in which it receives (chemical) synaptic input. + + has synapse in + <http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has synaptic terminal in + + + + + + + + + + + + + + + + + + + + + + + + + + + x overlaps y if and only if there exists some z such that x has part z and z part of y + http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.obolibrary.org/obo/BFO_0000050 some ?Y) + + + + + overlaps + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + The relation between a neuron projection bundle and a neuron projection that is fasciculated with it. + + has fasciculating component + (forall (?x ?y) + (iff + (has_fasciculating_neuron_projection ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron projection bundle ; CARO_0001001" ?x) + ("neuron projection ; GO0043005" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500" ?npbs) + (part_of ?nps ?y) + (part_of ?npbs ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + + + + has fasciculating neuron projection + + + + + + + + + + + + + + Relation between a 'neuron projection bundle' and a region in which one or more of its component neuron projections either synapses to targets or receives synaptic input. +T innervates some R +Expands_to: T has_fasciculating_neuron_projection that synapse_in some R. + + <http://purl.obolibrary.org/obo/RO_0002132> some (<http://purl.obolibrary.org/obo/GO_0043005> that (<http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + innervates + + + + + + + + + + + + + + + + + + + + + + + X continuous_with Y if and only if X and Y share a fiat boundary. + + connected to + The label for this relation was previously connected to. I relabeled this to "continuous with". The standard notion of connectedness does not imply shared boundaries - e.g. Glasgow connected_to Edinburgh via M8; my patella connected_to my femur (via patellar-femoral joint) + + continuous with + FMA:85972 + + + + + + + + + + x partially overlaps y iff there exists some z such that z is part of x and z is part of y, and it is also the case that neither x is part of y or y is part of x + We would like to include disjointness axioms with part_of and has_part, however this is not possible in OWL2 as these are non-simple properties and hence cannot appear in a disjointness axiom + proper overlaps + (forall (?x ?y) + (iff + (proper_overlaps ?x ?y) + (and + (overlaps ?x ?y) + (not (part_of ?x ?y)) + (not (part_of ?y ?x))))) + + + partially overlaps + + + + + + + + + + + + d derived_by_descent_from a if d is specified by some genetic program that is sequence-inherited-from a genetic program that specifies a. + ancestral_stucture_of + evolutionarily_descended_from + derived by descent from + + + + + + + + + + + inverse of derived by descent from + + has derived by descendant + + + + + + + + + + + + + + + + two individual entities d1 and d2 stand in a shares_ancestor_with relation if and only if there exists some a such that d1 derived_by_descent_from a and d2 derived_by_descent_from a. + Consider obsoleting and merging with child relation, 'in homology relationship with' + VBO calls this homologous_to + shares ancestor with + + + + + + + + + + + + serially homologous to + + + + + + + + + lactation SubClassOf 'only in taxon' some 'Mammalia' + + x only in taxon y if and only if x is in taxon y, and there is no other organism z such that y!=z a and x is in taxon z. + The original intent was to treat this as a macro that expands to 'in taxon' only ?Y - however, this is not necessary if we instead have supplemental axioms that state that each pair of sibling tax have a disjointness axiom using the 'in taxon' property - e.g. + + 'in taxon' some Eukaryota DisjointWith 'in taxon' some Eubacteria + + + + only in taxon + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x is in taxon y if an only if y is an organism, and the relationship between x and y is one of: part of (reflexive), developmentally preceded by, derives from, secreted by, expressed. + + + + + + Connects a biological entity to its taxon of origin. + in taxon + + + + + + + + + + + A is spatially_disjoint_from B if and only if they have no parts in common + There are two ways to encode this as a shortcut relation. The other possibility to use an annotation assertion between two classes, and expand this to a disjointness axiom. + + + Note that it would be possible to use the relation to label the relationship between a near infinite number of structures - between the rings of saturn and my left earlobe. The intent is that this is used for parsiomoniously for disambiguation purposes - for example, between siblings in a jointly exhaustive pairwise disjointness hierarchy + BFO_0000051 exactly 0 (BFO_0000050 some ?Y) + + + spatially disjoint from + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + + + + + + + + + + + + + + + + + + + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + a is connected to b if and only if a and b are discrete structure, and there exists some connecting structure c, such that c connects a and b + + connected to + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + + + + + + The M8 connects Glasgow and Edinburgh + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + c connects a if and only if there exist some b such that a and b are similar parts of the same system, and c connects b, specifically, c connects a with b. When one structure connects two others it unites some aspect of the function or role they play within the system. + + connects + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + a is attached to part of b if a is attached to b, or a is attached to some p, where p is part of b. + attached to part of (anatomical structure to anatomical structure) + attached to part of + + + + + + + + + true + + + + + + + + + Relation between an arterial structure and another structure, where the arterial structure acts as a conduit channeling fluid, substance or energy. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between an artery and an anatomical structure + + supplies + + + + + + + + + Relation between an collecting structure and another structure, where the collecting structure acts as a conduit channeling fluid, substance or energy away from the other structure. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between a vein and an anatomical structure + + drains + + + + + + + + + + w 'has component' p if w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + The definition of 'has component' is still under discussion. The challenge is in providing a definition that does not imply transitivity. + For use in recording has_part with a cardinality constraint, because OWL does not permit cardinality constraints to be used in combination with transitive object properties. In situations where you would want to say something like 'has part exactly 5 digit, you would instead use has_component exactly 5 digit. + + + has component + + + + + + + + + + + + + + + + + + + + + + + + + A relationship that holds between a biological entity and a phenotype. Here a phenotype is construed broadly as any kind of quality of an organism part, a collection of these qualities, or a change in quality or qualities (e.g. abnormally increased temperature). The subject of this relationship can be an organism (where the organism has the phenotype, i.e. the qualities inhere in parts of this organism), a genomic entity such as a gene or genotype (if modifications of the gene or the genotype causes the phenotype), or a condition such as a disease (such that if the condition inheres in an organism, then the organism has the phenotype). + + + has phenotype + + + + + + + + + + inverse of has phenotype + + + + phenotype of + + + + + + + + + + + + + + + + + + + + + + + + x develops from y if and only if either (a) x directly develops from y or (b) there exists some z such that x directly develops from z and z develops from y + + + + + This is the transitive form of the develops from relation + develops from + + + + + + + + + + + + + inverse of develops from + + + + + develops into + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + definition "x has gene product of y if and only if y is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from x" + We would like to be able to express the rule: if t transcribed from g, and t is a noncoding RNA and has an evolved function, then t has gene product g. + + gene product of + + + + + + + + + + + + + + + + + + + + + + + + + every HOTAIR lncRNA is the gene product of some HOXC gene + every sonic hedgehog protein (PR:000014841) is the gene product of some sonic hedgehog gene + + x has gene product y if and only if x is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from y + + has gene product + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'neural crest cell' SubClassOf expresses some 'Wnt1 gene' + + x expressed in y if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and the transcription of x is part of the gene expression process (iii) x is a mature gene product such as a protein, and x was translated or otherwise processes from a transcript that was transcribed as part of this gene expression process + + expressed in + + + + + + + + + + + + + + + + + + + + + + + + + + + Candidate definition: x directly_develops from y if and only if there exists some developmental process (GO:0032502) p such that x and y both participate in p, and x is the output of p and y is the input of p, and a substantial portion of the matter of x comes from y, and the start of x is coincident with or after the end of y. + + + FBbt + + has developmental precursor + TODO - add child relations from DOS + directly develops from + + + + + + + + + + A parasite that kills or sterilizes its host + parasitoid of + + + + + + + + + inverse of parasitoid of + + has parasitoid + + + + + + + + + + inverse of directly develops from + developmental precursor of + + directly develops into + + + + + + + + + + + + + + + + + + + + + + + + + p regulates q iff p is causally upstream of q, the execution of p is not constant and varies according to specific conditions, and p influences the rate or magnitude of execution of q due to an effect either on some enabler of q or some enabler of a part of q. + + + + + GO + Regulation precludes parthood; the regulatory process may not be within the regulated process. + regulates (processual) + false + + + + regulates + + + + + + + + + + + + + + + p negatively regulates q iff p regulates q, and p decreases the rate or magnitude of execution of q. + + + negatively regulates (process to process) + + + + + negatively regulates + + + + + + + + + + + + + + + + + + + + p positively regulates q iff p regulates q, and p increases the rate or magnitude of execution of q. + + + positively regulates (process to process) + + + + + positively regulates + + + + + + + + + + + + + + + + + + + 'human p53 protein' SubClassOf some ('has prototype' some ('participates in' some 'DNA repair')) + heart SubClassOf 'has prototype' some ('participates in' some 'blood circulation') + + x has prototype y if and only if x is an instance of C and y is a prototypical instance of C. For example, every instance of heart, both normal and abnormal is related by the has prototype relation to some instance of a "canonical" heart, which participates in blood circulation. + Experimental. In future there may be a formalization in which this relation is treated as a shortcut to some modal logic axiom. We may decide to obsolete this and adopt a more specific evolutionary relationship (e.g. evolved from) + TODO: add homeomorphy axiom + This property can be used to make weaker forms of certain relations by chaining an additional property. For example, we may say: retina SubClassOf has_prototype some 'detection of light'. i.e. every retina is related to a prototypical retina instance which is detecting some light. Note that this is very similar to 'capable of', but this relation affords a wider flexibility. E.g. we can make a relation between continuants. + + has prototype + + + + + + + + + + + + + + + + mechanosensory neuron capable of detection of mechanical stimulus involved in sensory perception (GO:0050974) + osteoclast SubClassOf 'capable of' some 'bone resorption' + A relation between a material entity (such as a cell) and a process, in which the material entity has the ability to carry out the process. + + has function realized in + + + For compatibility with BFO, this relation has a shortcut definition in which the expression "capable of some P" expands to "bearer_of (some realized_by only P)". + + capable of + + + + + + + + + + + + + + c stands in this relationship to p if and only if there exists some p' such that c is capable_of p', and p' is part_of p. + + has function in + capable of part of + + + + + + + + + + true + + + + + + + + OBSOLETE x actively participates in y if and only if x participates in y and x realizes some active role + + agent in + + Obsoleted as the inverse property was obsoleted. + obsolete actively participates in + true + + + + + + + + OBSOLETE x has participant y if and only if x realizes some active role that inheres in y + + has agent + + obsolete has active participant + true + + + + + + + + + + + x surrounded_by y if and only if (1) x is adjacent to y and for every region r that is adjacent to x, r overlaps y (2) the shared boundary between x and y occupies the majority of the outermost boundary of x + + + surrounded by + + + + + + + + + + + + + + + + + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + The epidermis layer of a vertebrate is adjacent to the dermis. + The plasma membrane of a cell is adjacent to the cytoplasm, and also to the cell lumen which the cytoplasm occupies. + The skin of the forelimb is adjacent to the skin of the torso if these are considered anatomical subdivisions with a defined border. Otherwise a relation such as continuous_with would be used. + + x adjacent to y if and only if x and y share a boundary. + This relation acts as a join point with BSPO + + + + + + adjacent to + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + + + + + + + + + + + inverse of surrounded by + + + + surrounds + + + + + + + + + + + + + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for relations between occurrents involving the relative timing of their starts and ends. + https://docs.google.com/document/d/1kBv1ep_9g3sTR-SD3jqzFqhuwo9TPNF-l-9fUDbO6rM/edit?pli=1 + + A relation that holds between two occurrents. This is a grouping relation that collects together all the Allen relations. + temporally related to + + + + + + + + + + + + inverse of starts with + + Chris Mungall + Allen + + starts + + + + + + + + + + + Every insulin receptor signaling pathway starts with the binding of a ligand to the insulin receptor + + x starts with y if and only if x has part y and the time point at which x starts is equivalent to the time point at which y starts. Formally: α(y) = α(x) ∧ ω(y) < ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + started by + + starts with + + + + + + + + + + + + + + x develops from part of y if and only if there exists some z such that x develops from z and z is part of y + + develops from part of + + + + + + + + + + + + + + + x develops_in y if x is located in y whilst x is developing + + EHDAA2 + Jonathan Bard, EHDAA2 + develops in + + + + + + + + + A sub-relation of parasite-of in which the parasite that cannot complete its life cycle without a host. + obligate parasite of + + + + + + + + + A sub-relations of parasite-of in which the parasite that can complete its life cycle independent of a host. + facultative parasite of + + + + + + + + + + + + inverse of ends with + + Chris Mungall + + ends + + + + + + + + + + + + x ends with y if and only if x has part y and the time point at which x ends is equivalent to the time point at which y ends. Formally: α(y) > α(x) ∧ ω(y) = ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + finished by + + ends with + + + + + + + + + + + + + + + + + + + + + x 'has starts location' y if and only if there exists some process z such that x 'starts with' z and z 'occurs in' y + + starts with process that occurs in + + has start location + + + + + + + + + + + + + + + + + + + + + x 'has end location' y if and only if there exists some process z such that x 'ends with' z and z 'occurs in' y + + ends with process that occurs in + + has end location + + + + + + + + + + + + + + + + p has input c iff: p is a process, c is a material entity, c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + consumes + + + + + has input + https://wiki.geneontology.org/Has_input + + + + + + + + + + + + + + + p has output c iff c is a participant in p, c is present at the end of p, and c is not present in the same state at the beginning of p. + + produces + + + + + has output + https://wiki.geneontology.org/Has_output + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host stem (PO:0009047) + stem parasite of + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host root (PO:0009005) + root parasite of + + + + + + + + + A sub-relation of parasite-of in which the parasite is a plant, and the parasite is parasitic under natural conditions and is also photosynthetic to some degree. Hemiparasites may just obtain water and mineral nutrients from the host plant. Many obtain at least part of their organic nutrients from the host as well. + hemiparasite of + + + + + + + + + X 'has component participant' Y means X 'has participant' Y and there is a cardinality constraint that specifies the numbers of Ys. + + This object property is needed for axioms using has_participant with a cardinality contrainsts; e.g., has_particpant min 2 object. However, OWL does not permit cardinality constrains with object properties that have property chains (like has_particant) or are transitive (like has_part). + +If you need an axiom that says 'has_participant min 2 object', you should instead say 'has_component_participant min 2 object'. + has component participant + + + + + + + + + A broad relationship between an exposure event or process and any entity (e.g., an organism, organism population, or an organism part) that interacts with an exposure stimulus during the exposure event. + ExO:0000001 + has exposure receptor + + + + + + + + + A broad relationship between an exposure event or process and any agent, stimulus, activity, or event that causes stress or tension on an organism and interacts with an exposure receptor during an exposure event. + ExO:0000000 + has exposure stressor + + + + + + + + + A broad relationship between an exposure event or process and a process by which the exposure stressor comes into contact with the exposure receptor + ExO:0000055 + has exposure route + + + + + + + + + A broad relationship between an exposure event or process and the course takes from the source to the target. + http://purl.obolibrary.org/obo/ExO_0000004 + has exposure transport path + + + + + + + + + + Any relationship between an exposure event or process and any other entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving exposure events or processes. + related via exposure to + + + + + + + + + g is over-expressed in t iff g is expressed in t, and the expression level of g is increased relative to some background. + over-expressed in + + + + + + + + + g is under-expressed in t iff g is expressed in t, and the expression level of g is decreased relative to some background. + under-expressed in + + + + + + + + + + + + Any portion of roundup 'has active ingredient' some glyphosate + A relationship that holds between a substance and a chemical entity, if the chemical entity is part of the substance, and the chemical entity forms the biologically active component of the substance. + has active substance + has active pharmaceutical ingredient + has active ingredient + + + + + + + + + inverse of has active ingredient + + active ingredient in + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is connecting branch of S, and B1-1 as a connecting branch of B1. + b connecting-branch-of s iff b is connected to s, and there exists some tree-like structure t such that the mereological sum of b plus s is either the same as t or a branching-part-of t. + + connecting branch of + + + + + + + + + + inverse of connecting branch of + + + has connecting branch + + + + + + + + + + + + + + + + Mammalian thymus has developmental contribution from some pharyngeal pouch 3; Mammalian thymus has developmental contribution from some pharyngeal pouch 4 [Kardong] + + x has developmental contribution from y iff x has some part z such that z develops from y + + has developmental contribution from + + + + + + + + + + + + + + + inverse of has developmental contribution from + + + developmentally contributes to + + + + + + + + + + + + + t1 induced_by t2 if there is a process of developmental induction (GO:0031128) with t1 and t2 as interacting participants. t2 causes t1 to change its fate from a precursor material anatomical entity type T to T', where T' develops_from T + + + + induced by + + Developmental Biology, Gilbert, 8th edition, figure 6.5(F) + GO:0001759 + We place this under 'developmentally preceded by'. This placement should be examined in the context of reciprocal inductions[cjm] + developmentally induced by + + + + + + + + + + + Inverse of developmentally induced by + + developmentally induces + + + + + + + + + + + + + + + + + + + + + + + Candidate definition: x developmentally related to y if and only if there exists some developmental process (GO:0032502) p such that x and y both participates in p, and x is the output of p and y is the input of p + false + + In general you should not use this relation to make assertions - use one of the more specific relations below this one + This relation groups together various other developmental relations. It is fairly generic, encompassing induction, developmental contribution and direct and transitive develops from + developmentally preceded by + + + + + + + + + c has-biological-role r iff c has-role r and r is a biological role (CHEBI:24432) + has biological role + + + + + + + + + c has-application-role r iff c has-role r and r is an application role (CHEBI:33232) + has application role + + + + + + + + + c has-chemical-role r iff c has-role r and r is a chemical role (CHEBI:51086) + has chemical role + + + + + + + + + + + + + A faulty traffic light (material entity) whose malfunctioning (a process) is causally upstream of a traffic collision (a process): the traffic light acts upstream of the collision. + c acts upstream of p if and only if c enables some f that is involved in p' and p' occurs chronologically before p, is not part of p, and affects the execution of p. c is a material entity and f, p, p' are processes. + + acts upstream of + + + + + + + + + + + + + + A gene product that has some activity, where that activity may be a part of a pathway or upstream of the pathway. + c acts upstream of or within p if c is enables f, and f is causally upstream of or within p. c is a material entity and p is an process. + affects + + acts upstream of or within + https://wiki.geneontology.org/Acts_upstream_of_or_within + + + + + + + + + + x developmentally replaces y if and only if there is some developmental process that causes x to move or to cease to exist, and for the site that was occupied by x to become occupied by y, where y either comes into existence in this site or moves to this site from somewhere else + This relation is intended for cases such as when we have a bone element replacing its cartilage element precursor. Currently most AOs represent this using 'develops from'. We need to decide whether 'develops from' will be generic and encompass replacement, or whether we need a new name for a generic relation that encompasses replacement and development-via-cell-lineage + + replaces + developmentally replaces + + + + + + + + + + Inverse of developmentally preceded by + + developmentally succeeded by + + + + + + + + + + + + + 'hypopharyngeal eminence' SubClassOf 'part of precursor of' some tongue + + + part of developmental precursor of + + + + + + + + + + + x is ubiquitously expressed in y if and only if x is expressed in y, and the majority of cells in y express x + Revisit this term after coordinating with SO/SOM. The domain of this relation should be a sequence, as an instance of a DNA molecule is only expressed in the cell of which it is a part. + + ubiquitously expressed in + + + + + + + + + + y expresses x if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and x was transcribed from a gene as part of the gene expression process (iii) x is a mature gene product (protein or RNA), and x was translated or otherwise processed from a transcript that was transcribed as part of the gene expression process. + + expresses + + + + + + + + + + inverse of ubiquiotously expressed in + + + ubiquitously expresses + + + + + + + + + + + + p results in the developmental progression of s iff p is a developmental process and s is an anatomical entity and p causes s to undergo a change in state at some point along its natural developmental cycle (this cycle starts with its formation, through the mature structure, and ends with its loss). + This property and its subproperties are being used primarily for the definition of GO developmental processes. The property hierarchy mirrors the core GO hierarchy. In future we may be able to make do with a more minimal set of properties, but due to the way GO is currently structured we require highly specific relations to avoid incorrect entailments. To avoid this, the corresponding genus terms in GO should be declared mutually disjoint. + + results in developmental progression of + + + + + + + + + + + every flower development (GO:0009908) results in development of some flower (PO:0009046) + + p 'results in development of' c if and only if p is a developmental process and p results in the state of c changing from its initial state as a primordium or anlage through its mature state and to its final state. + + http://www.geneontology.org/GO.doc.development.shtml + + + + results in development of + + + + + + + + + + + an annotation of gene X to anatomical structure formation with results_in_formation_of UBERON:0000007 (pituitary gland) means that at the beginning of the process a pituitary gland does not exist and at the end of the process a pituitary gland exists. + every "endocardial cushion formation" (GO:0003272) results_in_formation_of some "endocardial cushion" (UBERON:0002062) + + + GOC:mtg_berkeley_2013 + + + + results in formation of + + + + + + + + + + an annotation of gene X to cell morphogenesis with results_in_morphogenesis_of CL:0000540 (neuron) means that at the end of the process an input neuron has attained its shape. + tongue morphogenesis (GO:0043587) results in morphogenesis of tongue (UBERON:0001723) + + The relationship that links an entity with the process that results in the formation and shaping of that entity over time from an immature to a mature state. + + GOC:mtg_berkeley_2013 + + + + results in morphogenesis of + + + + + + + + + + an annotation of gene X to cell maturation with results_in_maturation_of CL:0000057 (fibroblast) means that the fibroblast is mature at the end of the process + bone maturation (GO:0070977) results_in_maturation_of bone (UBERON:0001474) + + The relationship that links an entity with a process that results in the progression of the entity over time that is independent of changes in it's shape and results in an end point state of that entity. + + GOC:mtg_berkeley_2013 + + + + results in maturation of + + + + + + + + + foramen ovale closure SubClassOf results in disappearance of foramen ovale + + + May be merged into parent relation + results in disappearance of + + + + + + + + + every mullerian duct regression (GO:0001880) results in regression of some mullerian duct (UBERON:0003890) + + + May be merged into parent relation + results in developmental regression of + + + + + + + + + + Inverse of 'is substance that treats' + + + is treated by substance + + + + + + + + + + + Hydrozoa (NCBITaxon_6074) SubClassOf 'has habitat' some 'Hydrozoa habitat' +where +'Hydrozoa habitat' SubClassOf overlaps some ('marine environment' (ENVO_00000569) and 'freshwater environment' (ENVO_01000306) and 'wetland' (ENVO_00000043)) and 'has part' some (freshwater (ENVO_00002011) or 'sea water' (ENVO_00002149)) -- http://eol.org/pages/1795/overview + + x 'has habitat' y if and only if: x is an organism, y is a habitat, and y can sustain and allow the growth of a population of xs. + + adapted for living in + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to exist and grow in y. + has habitat + + + + + + + + + + p is causally upstream of, positive effect q iff p is casually upstream of q, and the execution of p is required for the execution of q. + + + + + holds between x and y if and only if x is causally upstream of y and the progression of x increases the frequency, rate or extent of y + causally upstream of, positive effect + + + + + + + + + + + p is causally upstream of, negative effect q iff p is casually upstream of q, and the execution of p decreases the execution of q. + + + + + causally upstream of, negative effect + + + + + + + + + + A relationship between an exposure event or process and any agent, stimulus, activity, or event that causally effects an organism and interacts with an exposure receptor during an exposure event. + + + + + 2017-06-05T17:35:04Z + has exposure stimulus + + + + + + + + + + evolutionary variant of + + + + + + + + + + Holds between p and c when p is a localization process (localization covers maintenance of localization as well as its establishment) and the outcome of this process is to regulate the localization of c. + + regulates localization of + + + + transports or maintains localization of + + + + + + + + + + + + + + + + + q characteristic of part of w if and only if there exists some p such that q inheres in p and p part of w. + Because part_of is transitive, inheres in is a sub-relation of characteristic of part of + + inheres in part of + + + characteristic of part of + + + + + + + + + + true + + + + + + + + + + + an annotation of gene X to cell differentiation with results_in_maturation_of CL:0000057 (fibroblast) means that at the end of the process the input cell that did not have features of a fibroblast, now has the features of a fibroblast. + The relationship that links a specified entity with the process that results in an unspecified entity acquiring the features and characteristics of the specified entity + + GOC:mtg_berkeley_2013 + + + + results in acquisition of features of + + + + + + + + A relationship that holds via some environmental process + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the process of evolution. + evolutionarily related to + + + + + + + + A relationship that is mediated in some way by the environment or environmental feature (ENVO:00002297) + Awaiting class for domain/range constraint, see: https://github.com/OBOFoundry/Experimental-OBO-Core/issues/6 + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving ecological interactions + + ecologically related to + + + + + + + + + + An experimental relation currently used to connect a feature possessed by an organism (e.g. anatomical structure, biological process, phenotype or quality) to a habitat or environment in which that feature is well suited, adapted or provides a reproductive advantage for the organism. For example, fins to an aquatic environment. Usually this will mean that the structure is adapted for this environment, but we avoid saying this directly - primitive forms of the structure may not have evolved specifically for that environment (for example, early wings were not necessarily adapted for an aerial environment). Note also that this is a statement about the general class of structures - not every instance of a limb need confer an advantage for a terrestrial environment, e.g. if the limb is vestigial. + + adapted for + + confers advantage in + + + + + + + + A mereological relationship or a topological relationship + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving parthood or connectivity relationships + + mereotopologically related to + + + + + + + + A relationship that holds between entities participating in some developmental process (GO:0032502) + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving organismal development + developmentally related to + + + + + + + + + + + Clp1p relocalizes from the nucleolus to the spindle and site of cell division; i.e. it is associated transiently with the spindle pole body and the contractile ring (evidence from GFP fusion). Clp1p colocalizes_with spindle pole body (GO:0005816) and contractile ring (GO:0005826) + a colocalizes_with b if and only if a is transiently or peripherally associated with b[GO]. + + In the context of the Gene Ontology, colocalizes_with may be used for annotating to cellular component terms[GO] + + colocalizes with + + + + + + + + + + ATP citrate lyase (ACL) in Arabidopsis: it is a heterooctamer, composed of two types of subunits, ACLA and ACLB in a A(4)B(4) stoichiometry. Neither of the subunits expressed alone give ACL activity, but co-expression results in ACL activity. Both subunits contribute_to the ATP citrate lyase activity. + Subunits of nuclear RNA polymerases: none of the individual subunits have RNA polymerase activity, yet all of these subunits contribute_to DNA-dependent RNA polymerase activity. + eIF2: has three subunits (alpha, beta, gamma); one binds GTP; one binds RNA; the whole complex binds the ribosome (all three subunits are required for ribosome binding). So one subunit is annotated to GTP binding and one to RNA binding without qualifiers, and all three stand in the contributes_to relationship to "ribosome binding". And all three are part_of an eIF2 complex + We would like to say + +if and only if + exists c', p' + c part_of c' and c' capable_of p + and + c capable_of p' and p' part_of p +then + c contributes_to p + +However, this is not possible in OWL. We instead make this relation a sub-relation of the two chains, which gives us the inference in the one direction. + + In the context of the Gene Ontology, contributes_to may be used only with classes from the molecular function ontology. + + contributes to + https://wiki.geneontology.org/Contributes_to + + + + + + + + + + + + + + + + + + a particular instances of akt-2 enables some instance of protein kinase activity + c enables p iff c is capable of p and c acts to execute p. + + catalyzes + executes + has + is catalyzing + is executing + This relation differs from the parent relation 'capable of' in that the parent is weaker and only expresses a capability that may not be actually realized, whereas this relation is always realized. + + enables + https://wiki.geneontology.org/Enables + + + + + + + + A grouping relationship for any relationship directly involving a function, or that holds because of a function of one of the related entities. + + This is a grouping relation that collects relations used for the purpose of connecting structure and function + functionally related to + + + + + + + + + + + + + this relation holds between c and p when c is part of some c', and c' is capable of p. + + false + part of structure that is capable of + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + holds between two entities when some genome-level process such as gene expression is involved. This includes transcriptional, spliceosomal events. These relations can be used between either macromolecule entities (such as regions of nucleic acid) or between their abstract informational counterparts. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving the genome of an organism + genomically related to + + + + + + + + + + + + + + + + + + c involved_in p if and only if c enables some process p', and p' is part of p + + actively involved in + enables part of + involved in + https://wiki.geneontology.org/Involved_in + + + + + + + + + + + every cellular sphingolipid homeostasis process regulates_level_of some sphingolipid + p regulates levels of c if p regulates some amount (PATO:0000070) of c + + + regulates levels of (process to entity) + regulates levels of + + + + + + + + + + inverse of enables + + + enabled by + https://wiki.geneontology.org/Enabled_by + + + + + + + + + + + + inverse of regulates + + regulated by (processual) + + regulated by + + + + + + + + + inverse of negatively regulates + + + negatively regulated by + + + + + + + + + inverse of positively regulates + + + positively regulated by + + + + + + + + + + + + + + + A relationship that holds via some process of localization + + Do not use this relation directly. It is a grouping relation. + related via localization to + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from some initial location l to some destination. + + + + + has target start location + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from a an initial location to some destination l. + + + + + has target end location + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the start location of c is part of the region that surrounds s. + + + imports + + + + + + + + + Holds between p and l when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that is aligned_with l + + results in transport along + + + + + + + + + + Holds between p and m when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that crosses m. + + + results in transport across + + + + + + + + + + 'pollen tube growth' results_in growth_of some 'pollen tube' + + results in growth of + + + + + + + + + 'mitochondrial transport' results_in_transport_to_from_or_in some mitochondrion (GO:0005739) + + results in transport to from or in + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the end location of c is part of the region that surrounds s. + + + exports + + + + + + + + + + an annotation of gene X to cell commitment with results_in_commitment_to CL:0000540 (neuron) means that at the end of the process an unspecified cell has been specified and determined to develop into a neuron. + p 'results in commitment to' c if and only if p is a developmental process and c is a cell and p results in the state of c changing such that is can only develop into a single cell type. + + + + + results in commitment to + + + + + + + + + + p 'results in determination of' c if and only if p is a developmental process and c is a cell and p results in the state of c changing to be determined. Once a cell becomes determined, it becomes committed to differentiate down a particular pathway regardless of its environment. + + + + + results in determination of + + + + + + + + + + An organism that is a member of a population of organisms + is member of is a mereological relation between a item and a collection. + is member of + member part of + SIO + + member of + + + + + + + + + + has member is a mereological relation between a collection and an item. + SIO + + has member + + + + + + + + + + inverse of has input + + + + input of + + + + + + + + + + inverse of has output + + + + output of + + + + + + + + + + formed as result of + + + + + + + + + + A relationship between a process and an anatomical entity such that the process contributes to the act of creating the structural organization of the anatomical entity. + + results in structural organization of + + + + + + + + + + The relationship linking a cell and its participation in a process that results in the fate of the cell being specified. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. + + + + + results in specification of + + + + + + + + + p results in developmental induction of c if and only if p is a collection of cell-cell signaling processes that signal to a neighbouring tissue that is the precursor of the mature c, where the signaling results in the commitment to cell types necessary for the formation of c. + + results in developmental induction of + + + + + + + + + + http://neurolex.org/wiki/Property:DendriteLocation + has dendrite location + + + + + + + + + + + a is attached to b if and only if a and b are discrete objects or object parts, and there are physical connections between a and b such that a force pulling a will move b, or a force pulling b will move a + + attached to (anatomical structure to anatomical structure) + + attached to + + + + + + + + + + + m has_muscle_origin s iff m is attached_to s, and it is the case that when m contracts, s does not move. The site of the origin tends to be more proximal and have greater mass than what the other end attaches to. + + Wikipedia:Insertion_(anatomy) + has muscle origin + + + + + + + We need to import uberon muscle to create a stricter domain constraint + + + + + + + + + + + m has_muscle_insertion s iff m is attaches_to s, and it is the case that when m contracts, s moves. Insertions are usually connections of muscle via tendon to bone. + + Wikipedia:Insertion_(anatomy) + has muscle insertion + + + + + + + We need to import uberon muscle into RO to use as a stricter domain constraint + + + + + + + + + false + + x has_fused_element y iff: there exists some z : x has_part z, z homologous_to y, and y is a distinct element, the boundary between x and z is largely fiat + + + has fused element + A has_fused_element B does not imply that A has_part some B: rather than A has_part some B', where B' that has some evolutionary relationship to B. + derived from ancestral fusion of + + + + + + + + + + + + A relationship that holds between two material entities in a system of connected structures, where the branching relationship holds based on properties of the connecting network. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving branching relationships + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (plant branches and roots, leaf veins, animal veins, arteries, nerves) + + in branching relationship with + + https://github.com/obophenotype/uberon/issues/170 + + + + + + + + + + Deschutes River tributary_of Columbia River + inferior epigastric vein tributary_of external iliac vein + + x tributary_of y if and only if x a channel for the flow of a substance into y, where y is larger than x. If x and y are hydrographic features, then y is the main stem of a river, or a lake or bay, but not the sea or ocean. If x and y are anatomical, then y is a vein. + + drains into + drains to + tributary channel of + http://en.wikipedia.org/wiki/Tributary + http://www.medindia.net/glossary/venous_tributary.htm + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (veins, arteries) + + tributary of + + http://en.wikipedia.org/wiki/Tributary + + + + + + + + + + Deschutes River distributary_of Little Lava Lake + + x distributary_of y if and only if x is capable of channeling the flow of a substance to y, where y channels less of the substance than x + + branch of + distributary channel of + http://en.wikipedia.org/wiki/Distributary + + This is both a mereotopological relationship and a relationship defined in connection to processes. It concerns both the connecting structure, and how this structure is disposed to causally affect flow processes + distributary of + + + + + + + + + + + + + + + + + x anabranch_of y if x is a distributary of y (i.e. it channels a from a larger flow from y) and x ultimately channels the flow back into y. + + anastomoses with + + anabranch of + + + + + + + + + + + + + + + A lump of clay and a statue + x spatially_coextensive_with y if and inly if x and y have the same location + + This relation is added for formal completeness. It is unlikely to be used in many practical scenarios + spatially coextensive with + + + + + + + + + + + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is a (direct) branching part of T. B1-1, B1-2, and B1-3 are also branching parts of T, but these are considered indirect branching parts as they do not directly connect to the main stem S + x is a branching part of y if and only if x is part of y and x is connected directly or indirectly to the main stem of y + + + branching part of + + FMA:85994 + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, S is the main stem of T. There are no other main stems. If we were to slice off S to get a new tree T', rooted at the root of B1, then B1 would be the main stem of T'. + + x main_stem_of y if y is a branching structure and x is a channel that traces a linear path through y, such that x has higher capacity than any other such path. + + + main stem of + + + + + + + + + + + x proper_distributary_of y iff x distributary_of y and x does not flow back into y + + + proper distributary of + + + + + + + + + + x proper_tributary_of y iff x tributary_of y and x does not originate from y + + + proper tributary of + + + + + + + + + + + + x has developmental potential involving y iff x is capable of a developmental process with output y. y may be the successor of x, or may be a different structure in the vicinity (as for example in the case of developmental induction). + + has developmental potential involving + + + + + + + + + + x has potential to developmentrally contribute to y iff x developmentally contributes to y or x is capable of developmentally contributing to y + + has potential to developmentally contribute to + + + + + + + + + + x has potential to developmentally induce y iff x developmentally induces y or x is capable of developmentally inducing y + + has potential to developmentally induce + + + + + + + + + + x has the potential to develop into y iff x develops into y or if x is capable of developing into y + + has potential to develop into + + + + + + + + + + x has potential to directly develop into y iff x directly develops into y or x is capable of directly developing into y + + has potential to directly develop into + + + + + + + + + + + + + 'protein catabolic process' SubClassOf has_direct_input some protein + + p has direct input c iff c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + directly consumes + This is likely to be obsoleted. A candidate replacement would be a new relation 'has bound input' or 'has substrate' + has direct input + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect input + true + + + + + + + + translation SubClassOf has_direct_output some protein + + p has direct input c iff c is a participanti n p, c is present at the end of p, and c is not present at the beginning of c. + + directly produces + obsolete has direct output + true + + + + + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect output + true + + + + + + + + + + + + inverse of upstream of + + causally downstream of + + + + + + + + + + + + + immediately causally downstream of + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly positively regulates'. + obsolete directly activates + true + + + + + + + + + + + + + + + + + + + + + + + + + + + p indirectly positively regulates q iff p is indirectly causally upstream of q and p positively regulates q. + + indirectly activates + + indirectly positively regulates + https://wiki.geneontology.org/Indirectly_positively_regulates + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly negatively regulates'. + obsolete directly inhibits + true + + + + + + + + + + + + + + + + + + + + + + + p indirectly negatively regulates q iff p is indirectly causally upstream of q and p negatively regulates q. + + indirectly inhibits + + indirectly negatively regulates + https://wiki.geneontology.org/Indirectly_negatively_regulates + + + + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + This branch of the ontology deals with causal relations between entities. It is divided into two branches: causal relations between occurrents/processes, and causal relations between material entities. We take an 'activity flow-centric approach', with the former as primary, and define causal relations between material entities in terms of causal relations between occurrents. + +To define causal relations in an activity-flow type network, we make use of 3 primitives: + + * Temporal: how do the intervals of the two occurrents relate? + * Is the causal relation regulatory? + * Is the influence positive or negative? + +The first of these can be formalized in terms of the Allen Interval Algebra. Informally, the 3 bins we care about are 'direct', 'indirect' or overlapping. Note that all causal relations should be classified under a RO temporal relation (see the branch under 'temporally related to'). Note that all causal relations are temporal, but not all temporal relations are causal. Two occurrents can be related in time without being causally connected. We take causal influence to be primitive, elucidated as being such that has the upstream changed, some qualities of the donwstream would necessarily be modified. + +For the second, we consider a relationship to be regulatory if the system in which the activities occur is capable of altering the relationship to achieve some objective. This could include changing the rate of production of a molecule. + +For the third, we consider the effect of the upstream process on the output(s) of the downstream process. If the level of output is increased, or the rate of production of the output is increased, then the direction is increased. Direction can be positive, negative or neutral or capable of either direction. Two positives in succession yield a positive, two negatives in succession yield a positive, otherwise the default assumption is that the net effect is canceled and the influence is neutral. + +Each of these 3 primitives can be composed to yield a cross-product of different relation types. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causally related to + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + https://en.wikipedia.org/wiki/Causality + + + + + + + + + + + p is causally upstream of q iff p is causally related to q, the end of p precedes the end of q, and p is not an occurrent part of q. + + + + causally upstream of + + + + + + + + + + p is immediately causally upstream of q iff p is causally upstream of q, and the end of p is coincident with the beginning of q. + + + immediately causally upstream of + + + + + + + + + + + + + + p provides input for q iff p is immediately causally upstream of q, and there exists some c such that p has_output c and q has_input c. + + directly provides input for + + directly provides input for (process to process) + provides input for + https://wiki.geneontology.org/Provides_input_for + + + + + + + + + + + + + transitive form of directly_provides_input_for + + This is a grouping relation that should probably not be used in annotation. Consider instead the child relation 'provides input for'. + transitively provides input for (process to process) + transitively provides input for + + + + + + + + + + + p is 'causally upstream or within' q iff p is causally related to q, and the end of p precedes, or is coincident with, the end of q. + We would like to make this disjoint with 'preceded by', but this is prohibited in OWL2 + + influences (processual) + affects + causally upstream of or within + + + + + + + + false + + This is an exploratory relation + differs in + https://code.google.com/p/phenotype-ontologies/w/edit/PhenotypeModelCompetencyQuestions + + + + + + + + + + + + + + + + + + + + + differs in attribute of + + + + + + + + + + + differs in attribute + + + + + + + + + + inverse of causally upstream of or within + + + + causally downstream of or within + + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' regulates some p + + involved in regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' positively regulates some p + + + involved in positive regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' negatively regulates some p + + + involved in negative regulation of + + + + + + + + + + + c involved in or regulates p if and only if either (i) c is involved in p or (ii) c is involved in regulation of p + OWL does not allow defining object properties via a Union + + involved in or reguates + involved in or involved in regulation of + + + + + + + + + + + + + + A protein that enables activity in a cytosol. + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + executes activity in + enables activity in + + is active in + https://wiki.geneontology.org/Is_active_in + + + + + + + + + true + + + + + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + + + + + + + + + + p contributes to morphology of w if and only if a change in the morphology of p entails a change in the morphology of w. Examples: every skull contributes to morphology of the head which it is a part of. Counter-example: nuclei do not generally contribute to the morphology of the cell they are part of, as they are buffered by cytoplasm. + + contributes to morphology of + + + + + + + + + + + A relationship that holds between two entities in which the processes executed by the two entities are causally connected. + This relation and all sub-relations can be applied to either (1) pairs of entities that are interacting at any moment of time (2) populations or species of entity whose members have the disposition to interact (3) classes whose members have the disposition to interact. + Considering relabeling as 'pairwise interacts with' + + Note that this relationship type, and sub-relationship types may be redundant with process terms from other ontologies. For example, the symbiotic relationship hierarchy parallels GO. The relations are provided as a convenient shortcut. Consider using the more expressive processual form to capture your data. In the future, these relations will be linked to their cognate processes through rules. + in pairwise interaction with + + interacts with + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + http://purl.obolibrary.org/obo/MI_0914 + + + + + + + + + + An interaction that holds between two genetic entities (genes, alleles) through some genetic interaction (e.g. epistasis) + + genetically interacts with + + http://purl.obolibrary.org/obo/MI_0208 + + + + + + + + + + An interaction relationship in which the two partners are molecular entities that directly physically interact with each other for example via a stable binding interaction or a brief interaction during which one modifies the other. + + binds + molecularly binds with + molecularly interacts with + + http://purl.obolibrary.org/obo/MI_0915 + + + + + + + + + + + + + An interaction relationship in which at least one of the partners is an organism and the other is either an organism or an abiotic entity with which the organism interacts. + + interacts with on organism level + + biotically interacts with + + http://eol.org/schema/terms/interactsWith + + + + + + + + + An interaction relationship in which the partners are related via a feeding relationship. + + + trophically interacts with + + + + + + + + + + + A wasp killing a Monarch larva in order to feed to offspring [http://www.inaturalist.org/observations/2942824] + Baleen whale preys on krill + An interaction relationship involving a predation process, where the subject kills the target in order to eat it or to feed to siblings, offspring or group members + + + + is subject of predation interaction with + preys upon + + preys on + http://eol.org/schema/terms/preysUpon + http://www.inaturalist.org/observations/2942824 + + + + + + + + + + + + + + + + + A biotic interaction in which the two organisms live together in more or less intimate association. + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + We follow GO and PAMGO in using 'symbiosis' as the broad term encompassing mutualism through parasitism + + symbiotically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which one benefits and the other is unaffected (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + commensually interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which both organisms benefit from each other (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + mutualistically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which association is disadvantageous or destructive to one of the organisms (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + This relation groups a pair of inverse relations, parasite of and parasitized by + + interacts with via parasite-host interaction + + + + + + + + + + + + + + + + + + Pediculus humanus capitis parasite of human + + parasitizes + direct parasite of + + parasite of + http://eol.org/schema/terms/parasitizes + + + + + + + + + + + has parasite + parasitised by + directly parasitized by + + parasitized by + http://eol.org/schema/terms/hasParasite + + + + + + + + + Porifiera attaches to substrate + A biotic interaction relationship in which one partner is an organism and the other partner is inorganic. For example, the relationship between a sponge and the substrate to which is it anchored. + + semibiotically interacts with + + participates in a abiotic-biotic interaction with + + + + + + + + + + + + + + + Axiomatization to GO to be added later + + An interaction relation between x and y in which x catalyzes a reaction in which a phosphate group is added to y. + phosphorylates + + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that regulates an activity performed by B. For example, A and B may be gene products and binding of B by A regulates the kinase activity of B. + +A and B can be physically interacting but not necessarily. Immediately upstream means there are no intermediate entity between A and B. + + + molecularly controls + directly regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that negatively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A negatively regulates the kinase activity of B. + + + directly inhibits + molecularly decreases activity of + directly negatively regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that positively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A positively regulates the kinase activity of B. + + + directly activates + molecularly increases activity of + directly positively regulates activity of + + + + + + + + + all dengue disease transmitted by some mosquito + A relationship that holds between a disease and organism + Add domain and range constraints + + transmitted by + + + + + + + + + + A relation that holds between a disease or an organism and a phenotype + + has symptom + + + + + + + + + + The term host is usually used for the larger (macro) of the two members of a symbiosis (GO) + + host of + + + + + + + + + X 'has host' y if and only if: x is an organism, y is an organism, and x can live on the surface of or within the body of y + + + has host + http://eol.org/schema/terms/hasHost + + + + + + + + + + Bees pollinate Flowers + This relation is intended to be used for biotic pollination - e.g. a bee pollinating a flowering plant. Some kinds of pollination may be semibiotic - e.g. wind can have the role of pollinator. We would use a separate relation for this. + + is subject of pollination interaction with + + pollinates + http://eol.org/schema/terms/pollinates + + + + + + + + + + has polinator + is target of pollination interaction with + + pollinated by + http://eol.org/schema/terms/hasPollinator + + + + + + + + + + + Intended to be used when the target of the relation is not itself consumed, and does not have integral parts consumed, but provided nutrients in some other fashion. + + acquires nutrients from + + + + + + + + + inverse of preys on + + has predator + is target of predation interaction with + + + preyed upon by + http://eol.org/schema/terms/HasPredator + http://polytraits.lifewatchgreece.eu/terms/PRED + + + + + + + + + + Anopheles is a vector for Plasmodium + + a is a vector for b if a carries and transmits an infectious pathogen b into another living organism + + is vector for + + + + + + + + + + + has vector + + + + + + + + + + Experimental: relation used for defining interaction relations. An interaction relation holds when there is an interaction event with two partners. In a directional interaction, one partner is deemed the subject, the other the target + partner in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'subject participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the subject is the predator. We can imagine a reciprocal prey-predatory process with subject and object reversed. + subject participant in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'target participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the target is the prey. We can imagine a reciprocal prey-predatory process with subject and object reversed. + target participant in + + + + + + + + + This property or its subproperties is not to be used directly. These properties exist as helper properties that are used to support OWL reasoning. + helper property (not for use in curation) + + + + + + + + + + is symbiosis + + + + + + + + + + is commensalism + + + + + + + + + + is mutualism + + + + + + + + + + is parasitism + + + + + + + + + + + provides nutrients for + + + + + + + + + + is subject of eating interaction with + + eats + + + + + + + + + + eaten by + is target of eating interaction with + + is eaten by + + + + + + + + + + A relationship between a piece of evidence a and some entity b, where b is an information content entity, material entity or process, and +the a supports either the existence of b, or the truth value of b. + + + is evidence for + + + + + + + + + + + 'otolith organ' SubClassOf 'composed primarily of' some 'calcium carbonate' + x composed_primarily_of y if and only if more than half of the mass of x is made from y or units of the same type as y. + + + + + composed primarily of + + + + + + + + + + + ABal nucleus child nucleus of ABa nucleus (in C elegans) + c is a child nucleus of d if and only if c and d are both nuclei and parts of cells c' and d', where c' is derived from d' by mitosis and the genetic material in c is a copy of the generic material in d + + This relation is primarily used in the worm anatomy ontology for representing lineage at the level of nuclei. However, it is applicable to any organismal cell lineage. + child nucleus of + + + + + + + + + A child nucleus relationship in which the cells are part of a hermaphroditic organism + + child nucleus of in hermaphrodite + + + + + + + + + A child nucleus relationship in which the cells are part of a male organism + + child nucleus of in male + + + + + + + + + + + + + + + + + + + + + + + + p has part that occurs in c if and only if there exists some p1, such that p has_part p1, and p1 occurs in c. + + + has part that occurs in + + + + + + + + + true + + + + + + + + + + + + + + An interaction relation between x and y in which x catalyzes a reaction in which one or more ubiquitin groups are added to y + Axiomatization to GO to be added later + + ubiquitinates + + + + + + + + + + is kinase activity + + + + + + + + + + is ubiquitination + + + + + + + + + + See notes for inverse relation + + receives input from + + + + + + + + + This is an exploratory relation. The label is taken from the FMA. It needs aligned with the neuron-specific relations such as has postsynaptic terminal in. + + sends output to + + + + + + + + + + + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, typically connecting an anatomical entity to a biological process or developmental stage. + relation between physical entity and a process or stage + + + + + + + + + + + + + + + + + + x existence starts during y if and only if the time point at which x starts is after or equivalent to the time point at which y starts and before or equivalent to the time point at which y ends. Formally: x existence starts during y iff α(x) >= α(y) & α(x) <= ω(y). + + existence starts during + + + + + + + + + x starts ends with y if and only if the time point at which x starts is equivalent to the time point at which y starts. Formally: x existence starts with y iff α(x) = α(y). + + existence starts with + + + + + + + + + x existence overlaps y if and only if either (a) the start of x is part of y or (b) the end of x is part of y. Formally: x existence starts and ends during y iff (α(x) >= α(y) & α(x) <= ω(y)) OR (ω(x) <= ω(y) & ω(x) >= α(y)) + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence overlaps + + + + + + + + + + x exists during y if and only if: 1) the time point at which x begins to exist is after or equal to the time point at which y begins and 2) the time point at which x ceases to exist is before or equal to the point at which y ends. Formally: x existence starts and ends during y iff α(x) >= α(y) & α(x) <= ω(y) & ω(x) <= ω(y) & ω(x) >= α(y) + + exists during + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts and ends during + + + + + + + + + + + + + + + + + + x existence ends during y if and only if the time point at which x ends is before or equivalent to the time point at which y ends and after or equivalent to the point at which y starts. Formally: x existence ends during y iff ω(x) <= ω(y) and ω(x) >= α(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during + + + + + + + + + x existence ends with y if and only if the time point at which x ends is equivalent to the time point at which y ends. Formally: x existence ends with y iff ω(x) = ω(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends with + + + + + + + + + + x transformation of y if x is the immediate transformation of y, or is linked to y through a chain of transformation relationships + + transformation of + + + + + + + + + + x immediate transformation of y iff x immediately succeeds y temporally at a time boundary t, and all of the matter present in x at t is present in y at t, and all the matter in y at t is present in x at t + + + immediate transformation of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence starts during or after y if and only if the time point at which x starts is after or equivalent to the time point at which y starts. Formally: x existence starts during or after y iff α (x) >= α (y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts during or after + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence ends during or before y if and only if the time point at which x ends is before or equivalent to the time point at which y ends. + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during or before + + + + + + + + + + A relationship between a material entity and a process where the material entity has some causal role that influences the process + + causal agent in process + + + + + + + + + + + + + + + + + + + + + p is causally related to q if and only if p or any part of p and q or any part of q are linked by a chain of events where each event pair is one where the execution of p influences the execution of q. p may be upstream, downstream, part of, or a container of q. + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between processes + + + + + + + + + depends on + + + + + + + + + + q towards e2 if and only if q is a relational quality such that q inheres-in some e, and e != e2 and q is dependent on e2 + This relation is provided in order to support the use of relational qualities such as 'concentration of'; for example, the concentration of C in V is a quality that inheres in V, but pertains to C. + + + towards + + + + + + + + + 'lysine biosynthetic process via diaminopimelate' SubClassOf has_intermediate some diaminopimelate + p has intermediate c if and only if p has parts p1, p2 and p1 has output c, and p2 has input c + + has intermediate product + + has intermediate + + + + + + + + + + + + + + + + + + + + + The intent is that the process branch of the causal property hierarchy is primary (causal relations hold between occurrents/processes), and that the material branch is defined in terms of the process branch + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between entities + + + + + + + + + + + + + + A coral reef environment is determined by a particular coral reef + s determined by f if and only if s is a type of system, and f is a material entity that is part of s, such that f exerts a strong causal influence on the functioning of s, and the removal of f would cause the collapse of s. + The label for this relation is probably too general for its restricted use, where the domain is a system. It may be relabeled in future + + + determined by (system to material entity) + + + + determined by + + + + + + + + + inverse of determined by + + determines (material entity to system) + + + determines + + + + + + + + + + + + + + + + s 'determined by part of' w if and only if there exists some f such that (1) s 'determined by' f and (2) f part_of w, or f=w. + + + determined by part of + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x is transcribed from y if and only if x is synthesized from template y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + transcribed from + + + + + + + + + inverse of transcribed from + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + transcribed to + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x is the ribosomal translation of y if and only if a ribosome reads x through a series of triplet codon-amino acid adaptor activities (GO:0030533) and produces y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomal translation of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inverse of ribosomal translation of + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomally translates to + + + + + + + + + + A relation that holds between two entities that have the property of being sequences or having sequences. + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving cause and effect. + The domain and range of this relation include entities such as: information-bearing macromolecules such as DNA, or regions of these molecules; abstract information entities encoded as a linear sequence including text, abstract DNA sequences; Sequence features, entities that have a sequence or sequences. Note that these entities are not necessarily contiguous - for example, the mereological sum of exons on a genome of a particular gene. + + sequentially related to + + + + + + + + + Every UTR is adjacent to a CDS of the same transcript + Two consecutive DNA residues are sequentially adjacent + Two exons on a processed transcript that were previously connected by an intron are adjacent + x is sequentially adjacent to y iff x and y do not overlap and if there are no base units intervening between x and y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + sequentially adjacent to + + + + + + + + + + + Every CDS has as a start sequence the start codon for that transcript + x has start sequence y if the start of x is identical to the start of y, and x has y as a subsequence + + started by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has start sequence + + + + + + + + + + inverse of has start sequence + + starts + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is start sequence of + + + + + + + + + + + Every CDS has as an end sequence the stop codon for that transcript (note this follows from the SO definition of CDS, in which stop codons are included) + x has end sequence y if the end of x is identical to the end of y, and x has y as a subsequence + + ended by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has end sequence + + + + + + + + + + inverse of has end sequence + + ends + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is end sequence of + + + + + + + + + x is a consecutive sequence of y iff x has subsequence y, and all the parts of x are made of zero or more repetitions of y or sequences as the same type as y. + In the SO paper, this was defined as an instance-type relation + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + is consecutive sequence of + + + + + + + + + + Human Shh and Mouse Shh are sequentially aligned, by cirtue of the fact that they derive from the same ancestral sequence. + x is sequentially aligned with if a significant portion bases of x and y correspond in terms of their base type and their relative ordering + + + is sequentially aligned with + + + + + + + + + + + The genomic exons of a transcript bound the sequence of the genomic introns of the same transcript (but the introns are not subsequences of the exons) + x bounds the sequence of y iff the upstream-most part of x is upstream of or coincident with the upstream-most part of y, and the downstream-most part of x is downstream of or coincident with the downstream-most part of y + + + bounds sequence of + + + + + + + + + + inverse of bounds sequence of + + + + is bound by sequence of + + + + + + + + + + + + + x has subsequence y iff all of the sequence parts of y are sequence parts of x + + contains + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has subsequence + + + + + + + + + + + + inverse of has subsequence + + contained by + + + is subsequence of + + + + + + + + + + + + + + + x overlaps the sequence of y if and only if x has a subsequence z and z is a subsequence of y. + + + overlaps sequence of + + + + + + + + + + x does not overlap the sequence of y if and only if there is no z such that x has a subsequence z and z is a subsequence of y. + + disconnected from + + does not overlap sequence of + + + + + + + + + + inverse of downstream of sequence of + + + is upstream of sequence of + + + + + + + + + + + x is downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, or (2) x and y are sequence units, and x is either immediately downstream of y, or transitively downstream of y. + + + is downstream of sequence of + + + + + + + + + + A 3'UTR is immediately downstream of the sequence of the CDS from the same monocistronic transcript + x is immediately downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, and x is sequentially adjacent to y, or (2) x and y are sequence units, in which case the immediately downstream relation is primitive and defined by context: for DNA bases, y would be adjacent and 5' to y + + + + is immediately downstream of sequence of + + + + + + + + + + A 5'UTR is immediately upstream of the sequence of the CDS from the same monocistronic transcript + inverse of immediately downstream of + + + is immediately upstream of sequence of + + + + + + + + + + + + + + Forelimb SubClassOf has_skeleton some 'Forelimb skeleton' + A relation between a segment or subdivision of an organism and the maximal subdivision of material entities that provides structural support for that segment or subdivision. + + has supporting framework + The skeleton of a structure may be a true skeleton (for example, the bony skeleton of a hand) or any kind of support framework (the hydrostatic skeleton of a sea star, the exoskeleton of an insect, the cytoskeleton of a cell). + has skeleton + + + + + + This should be to a more restricted class, but not the Uberon class may be too restricted since it is a composition-based definition of skeleton rather than functional. + + + + + + + + + + p results in the end of s if p results in a change of state in s whereby s either ceases to exist, or s becomes functionally impaired or s has its fate committed such that it is put on a path to be degraded. + + results in ending of + + + + + + + + + + + + + + x is a hyperparasite of y iff x is a parasite of a parasite of the target organism y + Note that parasite-of is a diret relationship, so hyperparasite-of is not considered a sub-relation, even though hyperparasitism can be considered a form of parasitism + + http://eol.org/schema/terms/hyperparasitoidOf + https://en.wikipedia.org/wiki/Hyperparasite + hyperparasitoid of + epiparasite of + + hyperparasite of + + + + + + + + + + + + + inverse of hyperparasite of + + has epiparasite + has hyperparasite + hyperparasitoidized by + + + hyperparasitized by + + + + + + + + + + http://en.wikipedia.org/wiki/Allelopathy + + allelopath of + http://eol.org/schema/terms/allelopathyYes + x is an allelopath of y iff xis an organism produces one or more biochemicals that influence the growth, survival, and reproduction of y + + + + + + + + + + + + pathogen of + + + + + + + + + + + has pathogen + + + + + + + + + inverse of is evidence for + + + + + x has evidence y iff , x is an information content entity, material entity or process, and y supports either the existence of x, or the truth value of x. + has evidence + + + + + + + + + + + + causally influenced by (entity-centric) + causally influenced by + + + + + + + + + + interaction relation helper property + + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + + molecular interaction relation helper property + + + + + + + + + Holds between p and c when p is locomotion process and the outcome of this process is the change of location of c + + + + + + results in movement of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + The entity or characteristic A is causally upstream of the entity or characteristic B, A having an effect on B. An entity corresponds to any biological type of entity as long as a mass is measurable. A characteristic corresponds to a particular specificity of an entity (e.g., phenotype, shape, size). + + + + causally influences (entity-centric) + causally influences + + + + + + + + + + + A relation that holds between elements of a musculoskeletal system or its analogs. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the biomechanical processes. + biomechanically related to + + + + + + + + + m1 has_muscle_antagonist m2 iff m1 has_muscle_insertion s, m2 has_muscle_insection s, m1 acts in opposition to m2, and m2 is responsible for returning the structure to its initial position. + + Wikipedia:Antagonist_(muscle) + has muscle antagonist + + + + + + + + + + + inverse of branching part of + + + + has branching part + + + + + + + + + + + x is a conduit for y iff y overlaps through the lumen_of of x, and y has parts on either side of the lumen of x. + + UBERON:cjm + This relation holds between a thing with a 'conduit' (e.g. a bone foramen) and a 'conduee' (for example, a nerve) such that at the time the relationship holds, the conduee has two ends sticking out either end of the conduit. It should therefore note be used for objects that move through the conduit but whose spatial extent does not span the passage. For example, it would not be used for a mountain that contains a long tunnel through which trains pass. Nor would we use it for a digestive tract and objects such as food that pass through. + + conduit for + + + + + + + + + + x lumen_of y iff x is the space or substance that is part of y and does not cross any of the inner membranes or boundaries of y that is maximal with respect to the volume of the convex hull. + + + + lumen of + + + + + + + + + + s is luminal space of x iff s is lumen_of x and s is an immaterial entity + + + luminal space of + + + + + + + + + + A relation that holds between an attribute or a qualifier and another attribute. + + + This relation is intended to be used in combination with PATO, to be able to refine PATO quality classes using modifiers such as 'abnormal' and 'normal'. It has yet to be formally aligned into an ontological framework; it's not clear what the ontological status of the "modifiers" are. + + has modifier + + + + + + + + + + + + + participates in a biotic-biotic interaction with + + + + + + + + + + + + inverse of has skeleton + + + skeleton of + + + + + + + + + + p directly regulates q iff p is immediately causally upstream of q and p regulates q. + + + directly regulates (processual) + + + + + directly regulates + + + + + + + + + holds between x and y if and only if the time point at which x starts is equivalent to the time point at which y ends. Formally: iff α(x) = ω(y). + existence starts at end of + + + + + + + + + + + + + + gland SubClassOf 'has part structure that is capable of' some 'secretion by cell' + s 'has part structure that is capable of' p if and only if there exists some part x such that s 'has part' x and x 'capable of' p + + has part structure that is capable of + + + + + + + + + + p 'results in closure of' c if and only if p is a developmental process and p results in a state of c changing from open to closed. + results in closure of + + + + + + + + + p results in breakdown of c if and only if the execution of p leads to c no longer being present at the end of p + results in breakdown of + + + + + + + + + results in synthesis of + + + + + + + + + + + + + results in assembly of + + + + + + + + + p results in catabolism of c if and only if p is a catabolic process, and the execution of p results in c being broken into smaller parts with energy being released. + results in catabolism of + + + + + + + + + + results in disassembly of + + + + + + + + + + results in remodeling of + + + + + + + + + p results in organization of c iff p results in the assembly, arrangement of constituent parts, or disassembly of c + results in organization of + + + + + + + + + holds between x and y if and only if the time point at which x ends is equivalent to the time point at which y starts. Formally: iff ω(x) = α(y). + existence ends at start of + + + + + + + + + + + A relationship that holds between a material entity and a process in which causality is involved, with either the material entity or some part of the material entity exerting some influence over the process, or the process influencing some aspect of the material entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + + + causal relation between material entity and a process + + + + + + + + + + + + + pyrethroid -> growth + Holds between c and p if and only if c is capable of some activity a, and a regulates p. + + capable of regulating + + + + + + + + + + + + + Holds between c and p if and only if c is capable of some activity a, and a negatively regulates p. + + capable of negatively regulating + + + + + + + + + + + + + renin -> arteriolar smooth muscle contraction + Holds between c and p if and only if c is capable of some activity a, and a positively regulates p. + + capable of positively regulating + + + + + + + + + pazopanib -> pathological angiogenesis + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a inhibits p. + treats + + The entity c may be a molecular entity with a drug role, or it could be some other entity used in a therapeutic context, such as a hyperbaric chamber. + capable of inhibiting or preventing pathological process + + + + + treats + Usage of the term 'treats' applies when we believe there to be a an inhibitory relationship + + + + + + + + + benzene -> cancer [CHEBI] + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a negatively regulates p. + causes disease + + capable of upregulating or causing pathological process + + + + + + + + + c is a substance that treats d if c is a material entity (such as a small molecule or compound) and d is a pathological process, phenotype or disease, and c is capable of some activity that negative regulates or decreases the magnitude of d. + treats + + is substance that treats + + + + + + + + + + c is marker for d iff the presence or occurrence of d is correlated with the presence of occurrence of c, and the observation of c is used to infer the presence or occurrence of d. Note that this does not imply that c and d are in a direct causal relationship, as it may be the case that there is a third entity e that stands in a direct causal relationship with c and d. + May be ceded to OBI + is marker for + + + + + + + + + Inverse of 'causal agent in process' + + process has causal agent + + + + + + + + A relationship that holds between two entities, where the relationship holds based on the presence or absence of statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + obsolete related via dependence to + true + + + + + + + + A relationship that holds between two entities, where the entities exhibit a statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Groups both positive and negative correlation + correlated with + + + + + + + + + An instance of a sequence similarity evidence (ECO:0000044) that uses a homologous sequence UniProtKB:P12345 as support. + A relationship between a piece of evidence and an entity that plays a role in supporting that evidence. + In the Gene Ontology association model, this corresponds to the With/From field + is evidence with support from + + + + + + + + + Inverse of is-model-of + has model + + + + + + + + Do not use this relation directly. It is a grouping relation. + related via evidence or inference to + + + + + + + + + + visits + https://github.com/oborel/obo-relations/issues/74 + + + + + + + + + visited by + + + + + + + + + + visits flowers of + + + + + + + + + has flowers visited by + + + + + + + + + + + lays eggs in + + + + + + + + + + has eggs laid in by + + + + + + + + + + https://github.com/jhpoelen/eol-globi-data/issues/143 + kills + + + + + + + + + is killed by + + + + + + + + + + p directly positively regulates q iff p is immediately causally upstream of q, and p positively regulates q. + + directly positively regulates (process to process) + + + + + directly positively regulates + https://wiki.geneontology.org/Directly_positively_regulates + + + + + + + + + + p directly negatively regulates q iff p is immediately causally upstream of q, and p negatively regulates q. + + directly negatively regulates (process to process) + + + + + directly negatively regulates + https://wiki.geneontology.org/Directly_negatively_regulates + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives on or in the integumental system of the host + + ectoparasite of + + + + + + + + + inverse of ectoparasite of + + has ectoparasite + + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives inside the host, beneath the integumental system + lives inside of + endoparasite of + + + + + + + + + has endoparasite + + + + + + + + + + A sub-relation of parasite-of in which the parasite is partially an endoparasite and partially an ectoparasite + mesoparasite of + + + + + + + + + inverse of mesoparasite of + + has mesoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits the spaces between host cells. + + intercellular endoparasite of + + + + + + + + + inverse of intercellular endoparasite of + + has intercellular endoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits host cells. + + intracellular endoparasite of + + + + + + + + + inverse of intracellular endoparasite of + + has intracellular endoparasite + + + + + + + + + + Two or more individuals sharing the same roost site (cave, mine, tree or tree hollow, animal burrow, leaf tent, rock crack, space in man-made structure, etc.). Individuals that are sharing a communal roost may be said to be co-roosting. The roost may be either a day roost where the individuals rest during daytime hours, or a night roost where individuals roost to feed, groom, or rest in between flights and/or foraging bouts. Communal roosting as thus defined is an umbrella term within which different specialized types -- which are not mutually exclusive -- may be recognized based on taxonomy and the temporal and spatial relationships of the individuals that are co-roosting. + + co-roosts with + + + + + + + + + + + + + + + + + + a produces b if some process that occurs_in a has_output b, where a and b are material entities. Examples: hybridoma cell line produces monoclonal antibody reagent; chondroblast produces avascular GAG-rich matrix. + + + Note that this definition doesn't quite distinguish the output of a transformation process from a production process, which is related to the identity/granularity issue. + produces + + + + + + + + + + + a produced_by b iff some process that occurs_in b has_output a. + + + produced by + + + + + + + + + + + Holds between entity A (a transcription factor) and a nucleic acid B if and only if A down-regulates the expression of B. The nucleic acid can be a gene or an mRNA. + + represses expression of + + + + + + + + + + + Holds between entity A (a transcription factor) and nucleic acid B if and only if A up-regulates the expression of B. The nucleic acid can be a gene or mRNA. + + increases expression of + + + + + + + + + + A relation between a biological, experimental, or computational artifact and an entity it is used to study, in virtue of its replicating or approximating features of the studied entity. + + is used to study + The primary use case for this relation was to link a biological model system such as a cell line or model organism to a disease it is used to investigate, in virtue of the model system exhibiting features similar to that of the disease of interest. But the relation is defined more broadly to support other use cases, such as linking genes in which alterations are made to create model systems to the condition the system is used to interrogate, or computational models to real-world phenomena they are defined to simulate. + has role in modeling + + + + + + + + + The genetic variant 'NM_007294.3(BRCA1):c.110C>A (p.Thr37Lys)' casues or contributes to the disease 'familial breast-ovarian cancer'. + +An environment of exposure to arsenic causes or contributes to the phenotype of patchy skin hyperpigmentation, and the disease 'skin cancer'. + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal or contributing role that influences the condition. + Note that relationships of phenotypes to organisms/strains that bear them, or diseases they are manifest in, should continue to use RO:0002200 ! 'has phenotype' and RO:0002201 ! 'phenotype of'. + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + causes or contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal role for the condition. + causes condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some contributing role that influences the condition. + contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the severity with which a condition manifests in an individual. + contributes to expressivity of condition + contributes to severity of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the frequency of the condition in a population. + contributes to penetrance of condition + contributes to frequency of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the presence of the entity reduces or eliminates some or all aspects of the condition. + is preventative for condition + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + ameliorates condition + + + + + + + + + A relationship between an entity and a condition (phenotype or disease) with which it exhibits a statistical dependence relationship. + correlated with condition + + + + + + + + + A relationship between an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) and a condition (a phenotype or disease), where the presence of the entity worsens some or all aspects of the condition. + exacerbates condition + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are reduced or eliminated by the presence of the entity. + condition ameliorated by + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are worsened by the presence of the entity. + condition exacerbated by + + + + + + + + + + + + + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:38:20Z + condition has genetic basis in + + + + + + + + + + + 2017-11-05T02:45:20Z + has material basis in gain of function germline mutation in + + + + + + + + + + + + + 2017-11-05T02:45:37Z + has material basis in loss of function germline mutation in + + + + + + + + + + + 2017-11-05T02:45:54Z + has material basis in germline mutation in + + + + + + + + + + + + 2017-11-05T02:46:07Z + has material basis in somatic mutation in + + + + + + + + + + + + 2017-11-05T02:46:26Z + has major susceptibility factor + + + + + + + + + + + 2017-11-05T02:46:57Z + has partial material basis in germline mutation in + + + + + + + + + p 'has primary input ot output' c iff either (a) p 'has primary input' c or (b) p 'has primary output' c. + + 2018-12-13T11:26:17Z + + has primary input or output + + + + + + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + 2018-12-13T11:26:32Z + + has primary output + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + 2018-12-13T11:26:56Z + + has primary input + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:53:08Z + is genetic basis for condition + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell provides a new function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:55:51Z + is causal gain of function germline mutation of in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell impairs the function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:06Z + is causal loss of function germline mutation of in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:40Z + is causal germline mutation in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition but that cannot be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:57:07Z + is causal somatic mutation in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene predisposes to the development of a condition and that is necessary but not sufficient to develop the condition[modified from orphanet]. + + 2017-11-05T02:57:43Z + is causal susceptibility factor for + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene partially contributes to the presentation of this condition[modified from orphanet]. + + 2017-11-05T02:58:43Z + is causal germline mutation partially giving rise to + + + + + + + + + + + + 2017-11-05T03:20:01Z + realizable has basis in + + + + + + + + + + 2017-11-05T03:20:29Z + is basis for realizable + + + + + + + + + + + + 2017-11-05T03:26:47Z + disease has basis in + + + + + + + + + + A relation that holds between the disease and a material entity where the physical basis of the disease is a disorder of that material entity that affects its function. + disease has basis in dysfunction of (disease to anatomical structure) + + 2017-11-05T03:29:32Z + disease has basis in dysfunction of + + + + + + + + + + A relation that holds between the disease and a process where the physical basis of the disease disrupts execution of a key biological process. + disease has basis in disruption of (disease to process) + + 2017-11-05T03:37:52Z + disease has basis in disruption of + + + + + + + + + + + + + + + + + + + A relation that holds between the disease and a feature (a phenotype or other disease) where the physical basis of the disease is the feature. + + 2017-11-05T03:46:07Z + disease has basis in feature + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all of which have a disease as the subject. + + 2017-11-05T03:50:54Z + causal relationship with disease as subject + + + + + + + + + + + + + + + + + + + A relationship between a disease and a process where the disease process disrupts the execution of the process. + disease causes disruption of (disease to process) + + 2017-11-05T03:51:09Z + disease causes disruption of + + + + + + + + + + + + + + + disease causes dysfunction of (disease to anatomical entity) + + 2017-11-05T03:58:20Z + disease causes dysfunction of + + + + + + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease has one or more features that are located in that entity. + TODO: complete range axiom once more of CARO has been mireoted in to this ontology + This relation is intentionally very general, and covers isolated diseases, where the disease is realized as a process occurring in the location, and syndromic diseases, where one or more of the features may be present in that location. Thus any given disease can have multiple locations in the sense defined here. + + 2017-11-05T04:06:02Z + disease has location + + + + + + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease is triggered by an inflammatory response to stimuli occurring in the anatomical entity + + 2017-12-26T19:37:31Z + disease has inflammation site + + + + + + + + + + + + + + + A relationship between a realizable entity R (e.g. function or disposition) and a material entity M where R is realized in response to a process that has an input stimulus of M. + + 2017-12-26T19:45:49Z + realized in response to stimulus + + + + + + + + + + + + + + + + + + A relationship between a disease and some feature of that disease, where the feature is either a phenotype or an isolated disease. + + 2017-12-26T19:50:53Z + disease has feature + + + + + + + + + + A relationship between a disease and an anatomical structure where the material basis of the disease is some pathological change in the structure. Anatomical structure includes cellular and sub-cellular entities, such as chromosome and organelles. + + 2017-12-26T19:58:44Z + disease arises from alteration in structure + + + + + + + + + + + + + Holds between an entity and an process P where the entity enables some larger compound process, and that larger process has-part P. + + 2018-01-25T23:20:13Z + enables subfunction + + + + + + + + + + + + + + + 2018-01-26T23:49:30Z + + acts upstream of or within, positive effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_positive_effect + + + + + + + + + + + + + + + 2018-01-26T23:49:51Z + + acts upstream of or within, negative effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_negative_effect + + + + + + + + + + + + + + c 'acts upstream of, positive effect' p if c is enables f, and f is causally upstream of p, and the direction of f is positive + + + 2018-01-26T23:53:14Z + + acts upstream of, positive effect + https://wiki.geneontology.org/Acts_upstream_of,_positive_effect + + + + + + + + + + + + + + c 'acts upstream of, negative effect' p if c is enables f, and f is causally upstream of p, and the direction of f is negative + + + 2018-01-26T23:53:22Z + + acts upstream of, negative effect + https://wiki.geneontology.org/Acts_upstream_of,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:05Z + causally upstream of or within, negative effect + https://wiki.geneontology.org/Causally_upstream_of_or_within,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:19Z + causally upstream of or within, positive effect + + + + + + + + + DEPRECATED This relation is similar to but different in important respects to the characteristic-of relation. See comments on that relation for more information. + DEPRECATED inheres in + true + + + + + + + + DEPRECATED bearer of + true + + + + + + + + A relation between two entities, in which one of the entities is any natural or human-influenced factor that directly or indirectly causes a change in the other entity. + + has driver + + + + + + + + + + A relation between an entity and a disease of a host, in which the entity is not part of the host itself, and the condition results in pathological processes. + + has disease driver + + + + + + + + + + + An interaction relationship wherein a plant or algae is living on the outside surface of another plant. + https://en.wikipedia.org/wiki/Epiphyte + epiphyte of + + + + + + + + + inverse of epiphyte of + + has epiphyte + + + + + + + + + + A sub-relation of parasite of in which a parasite steals resources from another organism, usually food or nest material + https://en.wikipedia.org/wiki/Kleptoparasitism + kleptoparasite of + + + + + + + + + inverse of kleptoparasite of + + kleptoparasitized by + + + + + + + + + + + An interaction relationship wherein one organism creates a structure or environment that is lived in by another organism. + creates habitat for + + + + + + + + + + + + An interaction relationship describing organisms that often occur together at the same time and space or in the same environment. + ecologically co-occurs with + + + + + + + + + + An interaction relationship in which organism a lays eggs on the outside surface of organism b. Organism b is neither helped nor harmed in the process of egg laying or incubation. + lays eggs on + + + + + + + + + inverse of lays eggs on + has eggs laid on by + + + + + + + + + + + Flying foxes (Pteropus giganteus) has_roost banyan tree (Ficus benghalensis) + x 'has roost' y if and only if: x is an organism, y is a habitat, and y can support rest behaviors x. + + 2023-01-18T14:28:21Z + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to rest in y. + has roost + + + + + + + + + + + muffin 'has substance added' some 'baking soda' + + "has substance added" is a relation existing between a (physical) entity and a substance in which the entity has had the substance added to it at some point in time. + The relation X 'has substance added' some Y doesn't imply that X still has Y in any detectable fashion subsequent to the addition. Water in dehydrated food or ice cubes are examples, as is food that undergoes chemical transformation. This definition should encompass recipe ingredients. + + has substance added + + + + + + + + + + + 'egg white' 'has substance removed' some 'egg yolk' + + "has substance removed" is a relation existing between two physical entities in which the first entity has had the second entity (a substance) removed from it at some point in time. + + has substance removed + + + + + + + + + + + sardines 'immersed in' some 'oil and mustard' + + "immersed in" is a relation between a (physical) entity and a fluid substance in which the entity is wholely or substantially surrounded by the substance. + + immersed in + + + + + + + + + + sardine has consumer some homo sapiens + + 'has consumer' is a relation between a material entity and an organism in which the former can normally be digested or otherwise absorbed by the latter without immediate or persistent ill effect. + + has consumer + + + + + + + + + + bread 'has primary substance added' some 'flour' + + 'has primary substance added' indicates that an entity has had the given substance added to it in a proportion greater than any other added substance. + + has primary substance added + + + + + + + + + + + + + + + A drought sensitivity trait that inheres in a whole plant is realized in a systemic response process in response to exposure to drought conditions. + An inflammatory disease that is realized in response to an inflammatory process occurring in the gut (which is itself the realization of a process realized in response to harmful stimuli in the mucosal lining of th gut) + Environmental polymorphism in butterflies: These butterflies have a 'responsivity to day length trait' that is realized in response to the duration of the day, and is realized in developmental processes that lead to increased or decreased pigmentation in the adult morph. + r 'realized in response to' s iff, r is a realizable (e.g. a plant trait such as responsivity to drought), s is an environmental stimulus (a process), and s directly causes the realization of r. + + + + + triggered by process + realized in response to + https://docs.google.com/document/d/1KWhZxVBhIPkV6_daHta0h6UyHbjY2eIrnON1WIRGgdY/edit + + + + + triggered by process + + + + + + + + + + + + + + + + + + + + + + + + + + Genetic information generically depend on molecules of DNA. + The novel *War and Peace* generically depends on this copy of the novel. + The pattern shared by chess boards generically depends on any chess board. + The score of a symphony g-depends on a copy of the score. + This pdf file generically depends on this server. + A generically dependent continuant *b* generically depends on an independent continuant *c* at time *t* means: there inheres in *c* a specifically deendent continuant which concretizes *b* at *t*. + [072-ISO] + g-depends on + generically depends on + + + + + + + + + + + + + + + + + + + + + + + + Molecules of DNA are carriers of genetic information. + This copy of *War and Peace* is carrier of the novel written by Tolstoy. + This hard drive is carrier of these data items. + *b* is carrier of *c* at time *t* if and only if *c* *g-depends on* *b* at *t* + [072-ISO] + is carrier of + + + + + + + + + + + The entity A has an activity that regulates an activity of the entity B. For example, A and B are gene products where the catalytic activity of A regulates the kinase activity of B. + + regulates activity of + + + + + + + + + + + The entity A has an activity that regulates the quantity or abundance or concentration of the entity B. + + regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B but A has an activity that regulates an activity performed by B. + + indirectly regulates activity of + + + + + + + + + + + The entity A has an activity that down-regulates by repression the quantity of B. The down-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly decreases by repression the quantity of protein B (gene product) if and only if A negatively regulates the process of transcription or translation of a nucleic acid element that produces B. + + decreases by repression quantity of + + + + + + + + + + + The entity A has an activity that up-regulates by expression the quantity of B. The up-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly increases by expression the quantity of protein B (gene product) if and only if A positively regulates the process of transcription or translation of a nucleic acid element that produces B. + + increases by expression quantity of + + + + + + + + + + + The entity A has an activity that directly positively regulates the quantity of B. + + directly positively regulates quantity of + + + + + + + + + + + The entity A has an activity that directly negatively regulates the quantity of B. + + directly negatively regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that up-regulates an activity performed by B. + + indirectly activates + indirectly positively regulates activity of + + + + + + + + + + + AKT1 destabilizes quantity of FOXO (interaction from Signor database: SIGNOR-252844) + An entity A directly interacts with B and A has an activity that decreases the amount of an entity B by degradating it. + + destabilizes quantity of + + + + + + + + + + + AKT1 stabilizes quantity of XIAP (interaction from Signor database: SIGNOR-119488) + An entity A physically interacts with B and A has an activity that increases the amount of an entity B by stabilizing it. + + stabilizes quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that down-regulates an activity performed by B. + + indirectly inhibits + indirectly negatively regulates activity of + + + + + + + + + The entity A, immediately upstream of B, has an activity that directly regulates the quantity of B. + + directly regulates quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B, but A has an activity that regulates the quantity or abundance or concentration of B. + + indirectly regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that down-regulates the quantity or abundance or concentration of B. + + indirectly negatively regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that up-regulates the quantity or abundance or concentration of B. + + indirectly positively regulates quantity of + + + + + + + + + + a relation between a process and a continuant, in which the process is regulated by the small molecule continuant + + 2020-04-22T20:27:26Z + has small molecule regulator + + + + + + + + + + a relation between a process and a continuant, in which the process is activated by the small molecule continuant + + 2020-04-22T20:28:37Z + has small molecule activator + + + + + + + + + + a relation between a process and a continuant, in which the process is inhibited by the small molecule continuant + + 2020-04-22T20:28:54Z + has small molecule inhibitor + + + + + + + + + p acts on population of c iff c' is a collection, has members of type c, and p has participant c + + 2020-06-08T17:21:33Z + + + + acts on population of + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that regulates the process + + 2020-06-24T13:15:17Z + is small molecule regulator of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that activates the process + + 2020-06-24T13:15:26Z + is small molecule activator of + https://wiki.geneontology.org/Is_small_molecule_activator_of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that inhibits the process + + 2020-06-24T13:15:35Z + is small molecule inhibitor of + https://wiki.geneontology.org/Is_small_molecule_inhibitor_of + + + + + + + + + The relationship that links anatomical entities with a process that results in the adhesion of two or more entities via the non-covalent interaction of molecules expressed in, located in, and/or adjacent to, those entities. + + 2020-08-27T08:13:59Z + results in adhesion of + + + + + + + + + + 2021-02-26T07:28:29Z + + + + results in fusion of + + + + + + + + + p is constitutively upstream of q iff p is causally upstream of q, p is required for execution of q or a part of q, and the execution of p is approximately constant. + + 2022-09-26T06:01:01Z + + + constitutively upstream of + https://wiki.geneontology.org/Constitutively_upstream_of + + + + + + + + + p removes input for q iff p is causally upstream of q, there exists some c such that p has_input c and q has_input c, p reduces the levels of c, and c is rate limiting for execution of q. + + 2022-09-26T06:06:20Z + + + removes input for + https://wiki.geneontology.org/Removes_input_for + + + + + + + + + p is indirectly causally upstream of q iff p is causally upstream of q and there exists some process r such that p is causally upstream of r and r is causally upstream of q. + + 2022-09-26T06:07:17Z + indirectly causally upstream of + + + + + + + + + + p indirectly regulates q iff p is indirectly causally upstream of q and p regulates q. + + 2022-09-26T06:08:01Z + indirectly regulates + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses in that region. + + 2020-07-17T09:26:52Z + has synaptic input or output in + has synaptic IO in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses in that region. + + 2020-07-17T09:42:23Z + receives synaptic input in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of output synapses in that region. + + 2020-07-17T09:45:06Z + sends synaptic output to region + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:52:19Z + has synaptic IO throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:55:36Z + receives synaptic input throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:57:27Z + sends synaptic output throughout + + + + + + + + + + + + + + Relation between a sensory neuron and some structure in which it receives sensory input via a sensory dendrite. + + 2020-07-20T12:10:09Z + has sensory dendrite location + has sensory terminal in + has sensory terminal location + has sensory dendrite in + + + + + + + + + + A relationship between an anatomical structure (including cells) and a neuron that has a functionally relevant number of chemical synapses to it. + + 2021-05-26T08:40:18Z + receives synaptic input from neuron + + + + + + + + + A relationship between a neuron and a cell that it has a functionally relevant number of chemical synapses to. + + 2021-05-26T08:41:07Z + Not restricting range to 'cell' - object may be a muscle containing a cell targeted by the neuron. + sends synaptic output to cell + + + + + + + + + A relationship between a disease and an infectious agent where the material basis of the disease is an infection with some infectious agent. + + disease has infectious agent + + + + + + + + + + + + + + transcriptomically defined cell type X equivalent to ‘cell’ and (has_exemplar_data value [transcriptomic profile data]) + A relation between a material entity and some data in which the data is taken as exemplifying the material entity. + C has_exemplar_data y iff x is an instance of C and y is data about x that is taken as exemplifying of C. + + This relation is not meant to capture the relation between occurrents and data. + has exemplar data + + + + + + + + + + exemplar data of + + + + + + + + + + A relation between a group and another group it is part of but does not fully constitute. + X subcluster_of Y iff: X and Y are clusters/groups; X != Y; all members of X are also members of Y. + + This is used specifically for sets whose members are specified by some set-forming operator (method of grouping) such as clustering analyses in single cell transcriptomics. + subcluster of + + + + + + + + + 'Lamp5-like Egln3_1 primary motor cortex GABAergic interneuron (Mus musculus)' subClass_of: has_characterizing_marker_set some 'NS forest marker set of Lamp5-like Egln3_1 MOp (Mouse).'; NS forest marker set of Lamp5-like Egln3_1 SubClass_of: ('has part' some 'Mouse Fbn2') and ('has part' some 'Mouse Chrna7') and ('has part' some 'Mouse Fam19a1'). + transcriptomically defined cell type X subClass_of: (has_characterizing_marker_set some S1); S1 has_part some gene 1, S1 has_part some gene 2, S1 has_part some gene 3. + A relation that applies between a cell type and a set of markers that can be used to uniquely identify that cell type. + C has_characterizing_marker_set y iff: C is a cell type and y is a collection of genes or proteins whose expression is sufficient to distinguish cell type C from most or all other cell types. + This relation is not meant for cases where set of genes/proteins are only useful as markers in some specific context - e.g. in some specific location. In these cases it is recommended to make a more specific cell class restricted to the relevant context. + + has marker gene combination + has marker signature set + has characterizing marker set + + + + + + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + different in magnitude relative to + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'increased strength', relative to the parent type, 'strength'. + increased in magnitude relative to + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'decreased strength', relative to the parent type, 'strength'. + decreased in magnitude relative to + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + similar in magnitude relative to + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + has relative magnitude + + + + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + Example: a spherical object has the quality of being spherical, and the spherical quality has_cross_section round. + has cross section + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + There are frequently two ways to state the same thing: we can say 'spermatocyte lacks asters' or 'asters absent from spermatocyte'. In this case the quality is 'lacking all parts of type' - it is a (relational) quality of the spermatocyte, and it is with respect to instances of 'aster'. One of the popular requirements of PATO is that it continue to support 'absent', so we need to relate statements which use this quality to the 'lacking all parts of type' quality. + reciprocal of + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + 'Ly-76 high positive erythrocyte' equivalent to 'enucleate erythrocyte' and (has_high_plasma_membrane_amount some 'lymphocyte antigen 76 (mouse)') + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + + + has high plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + + + 'DN2b thymocyte' equivalent to 'DN2 thymocyte' and (has_low_plasma_membrane_amount some 'mast/stem cell growth factor receptor') + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + + + has low plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + Do not use this relation directly. It is intended as a grouping for a set of relations regarding presentation of phenotypes and disease. + + 2021-11-05T17:30:14Z + has phenotype or disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + A relationship that holds between an organism and a disease. Here a disease is construed broadly as a disposition to undergo pathological processes that exists in an organism because of one or more disorders in that organism. + + 2021-11-05T17:30:44Z + has disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + X has exposure medium Y if X is an exposure event (process), Y is a material entity, and the stimulus for X is transmitted or carried in Y. + ExO:0000083 + + 2021-12-14T20:41:45Z + has exposure medium + + + + + + + + + + + + A diagnostic testing device utilizes a specimen. + X device utilizes material Y means X and Y are material entities, and X is capable of some process P that has input Y. + + + A diagnostic testing device utilizes a specimen means that the diagnostic testing device is capable of an assay, and this assay a specimen as its input. + See github ticket https://github.com/oborel/obo-relations/issues/497 + 2021-11-08T12:00:00Z + utilizes + device utilizes material + + + + + + + + + + A relation between entities in which one increases or decreases as the other does the same. + directly correlated with + + positively correlated with + + + + + + + + + + + A relation between entities in which one increases as the other decreases. + inversely correlated with + + negatively correlated with + + + + + + + + + Helper relation for OWL definition of RO:0018002 myristoylates + + is myristoyltransferase activity + + + + + + + + + + + + + + + A molecularly-interacts-with relationship between two entities, where the subject catalyzes a myristoylation activity that takes the object as input + + + myristoylates + + + + + + + + inverse of myristoylates + + myristoylated by + + + + + + + + + mibolerone (CHEBI:34849) is agonist of androgen receptor (PR:P10275) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor activates some activity of the receptor + + is agonist of + + + + + + + + + + pimavanserin (CHEBI:133017) is inverse agonist of HTR2A (PR:P28223) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor inhibits some activity of the receptor to below basal level + + is inverse agonist of + + + + + + + + + + tretinoin (CHEBI:15367) is antagonist of Nuclear receptor ROR-beta (PR:Q92753) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor reduces some activity of the receptor to basal level + + is antagonist of + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a chemical. + + chemical relationship + + + + + + + + + + pyruvate anion (CHEBI:15361) is the conjugate base of the neutral pyruvic acid (CHEBI:32816) + A is a direct conjugate base of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by receiving a particular proton transforms it into B. + + + is direct conjugate base of + + + + + + + + + + neutral pyruvic acid (CHEBI:32816) is the conjugate acid of the pyruvate anion (CHEBI:15361) + A is a direct conjugate acid of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing a particular proton transforms it into B. + + + is direct conjugate acid of + + + + + + + + + + + + (E)-cinnamoyl-CoA(4-) (CHEBI:57252) is a deprotonated form (E)-cinnamoyl-CoA (CHEBI:10956), which involves removing four protons. + A is a deprotonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by adding some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_base_of + is deprotonated form of + + + + + + + + + + + (E)-cinnamoyl-CoA (CHEBI:10956) is a protonated form of (E)-cinnamoyl-CoA(4-) (CHEBI:57252), which involves adding four protons. + A is a protonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_acid_of + is protonated form of + + + + + + + + + + + phenol (CHEBI:15882) and aniline (CHEBI:17296) are matched molecular pairs because they differ by one chemical transformation i.e., the replacement of aryl primary amine with aryl primary alcohol. + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + 2023-02-28T18:53:32Z + is MMP with + is matched molecular pair with + is matched small molecular pair with + + + + + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + + + + + + + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + Two chemicals are tautomers if they can be readily interconverted. + +This commonly refers to prototropy in which a hydrogen's position is changed, such as between ketones and enols. This is also often observed in heterocyclic rings, e.g., ones containing nitrogens and/or have aryl functional groups containing heteroatoms. + + 2023-03-18T23:49:31Z + obo:chebi#is_tautomer_of + is desmotrope of + is tautomer of + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + + + + + + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + Group A is a substituent group from Chemical B if A represents the functional part of A and includes information about where it is connected. A is not itself a chemical with a fully formed chemical graph, but is rather a partial graph with one or more connection points that can be used to attach to another chemical graph, typically as a functionalization. + + 2023-03-18T23:49:31Z + obo:chebi#is_substituent_group_from + is substitutent group from + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + + + + + + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + Chemical A has functional parent Chemical B if there is chemical transformation through which chemical B can be produced from chemical A. + +For example, the relationship between a salt and a freebased compound is a "has functional parent" relationship. + + 2023-03-18T23:49:31Z + obo:chebi#has_functional_parent + has functional parent + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + + + + + + + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + Chemicals A and B are enantiomers if they share the same molecular graph except the change of the configuration of substituents around exactly one chiral center. + +A chemical with no chiral centers can not have an enantiomer. A chemical with multiple chiral centers can have multiple enantiomers, but its enantiomers are not themselves enantiomers (they are diastereomers). + + 2023-03-18T23:49:31Z + obo:chebi#is_enantiomer_of + is optical isomer of + is enantiomer of + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + + + + + + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + Chemical A has parent hydride Chemical B if there exists a molecular graphical transformation where functional groups on A are replaced with hydrogens in order to yield B. + + 2023-03-18T23:49:31Z + obo:chebi#has_parent_hydride + has parent hydride + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) regulates characteristic (C) iff: P results in the existence of C OR affects the intensity or magnitude of C. + + regulates characteristic + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) positively regulates characteristic (C) iff: P results in an increase in the intensity or magnitude of C. + + positively regulates characteristic + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) negatively regulates characteristic (C) iff: P results in a decrease in the intensity or magnitude of C. + + negatively regulates characteristic + + + + + + + + + Relates a gene to condition, such that a variation in this gene predisposes to the development of a condition. + + confers susceptibility to condition + + + + + + + + This relation groups relations between diseases and any other kind of entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a disease. + + 2018-09-26T00:00:32Z + disease relationship + + + + + + + + + p has anatomical participant c iff p has participant c, and c is an anatomical entity + + 2018-09-26T01:08:58Z + results in changes to anatomical or cellular structure + + + + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + TODO: Add homeomorphy axiom + + + + + + + + + ECO:0000041 + SO:similar_to + sameness + similar to + correspondence + resemblance + in similarity relationship with + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + + BGEE:curator + + + + + correspondence + + + + + + + + + + + + + Similarity that results from common evolutionary origin. + + + homologous to + This broad definition encompasses all the working definitions proposed so far in the literature. + in homology relationship with + + + + + + Similarity that results from common evolutionary origin. + + + + + + + + + + + + + + Similarity that results from independent evolution. + + + homoplasous to + analogy + in homoplasy relationship with + + + + + + Similarity that results from independent evolution. + + + + + + + + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + ECO:0000075 + homocracous to + Homology and homocracy are not mutually exclusive. The homology relationships of patterning genes may be unresolved and thus may include orthologues and paralogues. + in homocracy relationship with + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + + + + + + + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + analogy + Convergence usually implies a notion of adaptation. + in convergence relationship with + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + + + + + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + parallel evolution + Can be applied for features present in closely related organisms but not present continuously in all the members of the lineage. + in parallelism relationship with + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + + + + + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + ECO:0000071 + MI:2163 + structural homologous to + idealistic homology + in structural homology relationship with + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by common descent. + + + homology + ECO:0000080 + RO_proposed_relation:homologous_to + SO:0000330 + SO:0000853 + SO:0000857 + SO:homologous_to + TAO:homologous_to + cladistic homology + historical homologous to + phylogenetic homology + taxic homology + true homology + in historical homology relationship with + + + + + + Homology that is defined by common descent. + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + ECO:0000067 + biological homologous to + transformational homology + Applicable only to morphology. A certain degree of ambiguity is accepted between biological homology and parallelism. + in biological homology relationship with + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + + + + + + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + atavism + rudiment + reversion + in reversal relationship with + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + + + + + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + + MeSH:Synteny + SO:0000860 + SO:0005858 + syntenic homologous to + synteny + in syntenic homology relationship with + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + MeSH:Synteny + + + + + + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + SO:0000854 + SO:0000859 + SO:paralogous_to + paralogous to + in paralogy relationship with + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + + + + + + + + + + + + + Paralogy that involves sets of syntenic blocks. + + + syntenic paralogous to + duplicon + paralogon + in syntenic paralogy relationship with + + + + + + Paralogy that involves sets of syntenic blocks. + + + DOI:10.1002/1097-010X(20001215)288:4<345::AID-JEZ7>3.0.CO;2-Y + + + + + + + + + + Syntenic homology that involves chromosomes of different species. + + + syntenic orthologous to + in syntenic orthology relationship with + + + + + + Syntenic homology that involves chromosomes of different species. + + + + + + + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + + fractional homology + partial homologous to + segmental homology + mixed homology + modular homology + partial correspondence + percent homology + in partial homology relationship with + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + ISBN:0123195837 + ISBN:978-0471984931 + + + + + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + MeSH:Structural_Homology,_Protein + protein structural homologous to + in protein structural homology relationship with + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + + + + + + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + + pseudogene + SO:non_functional_homolog_of + non functional homologous to + in non functional homology relationship with + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + SO:non_functional_homolog_of + + + + + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + ECO:00000060 + SO:0000855 + SO:0000858 + SO:orthologous_to + orthologous to + The term is sometimes also used for anatomical structures. + in orthology relationship with + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + + + + + + + + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + xenologous to + The term is sometimes also used for anatomical structures (e.g. in case of a symbiosis). + in xenology relationship with + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + + + + + + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + + 1 to 1 homologous to + 1:1 homology + one-to-one homology + in 1 to 1 homology relationship with + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + BGEE:curator + + + + + + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + 1 to 1 orthologous to + 1:1 orthology + one-to-one orthology + in 1 to 1 orthology relationship with + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + + + + + + + + + + + Paralogy that results from a whole genome duplication event. + + + ohnologous to + homoeology + in ohnology relationship with + + + + + + Paralogy that results from a whole genome duplication event. + + + + + + + + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + in-paralogous to + inparalogy + symparalogy + in in-paralogy relationship with + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + + + + + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + alloparalogy + out-paralogous to + outparalogy + in out-paralogy relationship with + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + + + + + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + pro-orthologous to + in pro-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + + + + + + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + semi-orthologous to + The converse of pro-orthologous. + in semi-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + + + + + + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + serial homologous to + homonomy + in serial homology relationship with + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + + + + + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + + heterochronous homologous to + heterochrony + in heterochronous homology relationship with + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + ISBN:978-0674639416 + + + + + + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + juvenification + pedomorphosis + in paedomorphorsis relationship with + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + ISBN:978-0674639416 + + + + + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + in peramorphosis relationship with + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + + + + + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + in progenesis relationship with + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + ISBN:978-0674639416 + + + + + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + juvenilization + neotenous to + in neoteny relationship with + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + ISBN:978-0674639416 + + + + + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + mimicrous to + in mimicry relationship with + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + + + + + + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + 1 to many orthologous to + 1:many orthology + one-to-many orthology + co-orthology + many to 1 orthology + in 1 to many orthology relationship with + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + + + + + + + + + + + Historical homology that involves two members of a larger set of homologs. + + + many to many homologous to + many-to-many homology + many:many homology + in many to many homology relationship with + + + + + + Historical homology that involves two members of a larger set of homologs. + + + + + + + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + + 1 to many homologous to + one-to-many homology + 1:many homology + in 1 to many homology relationship with + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + BGEE:curator + + + + + + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + + apomorphous to + synapomorphy + in apomorphy relationship with + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + ISBN:978-0252068140 + + + + + + + + + + Historical homology that is based on distant shared ancestry. + + + plesiomorphous to + symplesiomorphy + This term is usually contrasted to apomorphy. + in plesiomorphy relationship with + + + + + + Historical homology that is based on distant shared ancestry. + + ISBN:978-0252068140 + + + + + + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + deep genetic homology + deep homologous to + generative homology + homoiology + Used for structures in distantly related taxa. + in deep homology relationship with + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + + + + + + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + hemiplasous to + in hemiplasy relationship with + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + + + + + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + gametologous to + in gametology relationship with + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + + + + + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + + MeSH:Chromosome_Pairing + chromosomal homologous to + in chromosomal homology relationship with + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + ISBN:0195307615 + + + + + + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + many to many orthologous to + many-to-many orthology + many:many orthology + trans-orthology + co-orthology + trans-homology + in many to many orthology relationship with + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + + + + + + + + + + + + Paralogy that involves genes from the same species. + + + within-species paralogous to + in within-species paralogy relationship with + + + + + + Paralogy that involves genes from the same species. + + + + + + + + + + + + Paralogy that involves genes from different species. + + + between-species paralogous to + The genes have diverged before a speciation event. + in between-species paralogy relationship with + + + + + + Paralogy that involves genes from different species. + + + + + + + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + post-displacement + in postdisplacement relationship with + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + + + + + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + in hypermorphosis relationship with + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + ISBN:978-0674639416 + + + + + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + synologous to + in synology relationship with + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + + + + + + + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + ECO:0000080 + isoorthologous to + in isoorthology relationship with + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + tandem paralogous to + iterative paralogy + serial paralogy + in tandem paralogy relationship with + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + ISBN:978-0878932665 + + + + + + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + apomorphic tendency + cryptic homology + latent homologous to + underlying synapomorphy + homoiology + homoplastic tendency + re-awakening + Used for structures in closely related taxa. + in latent homology relationship with + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + + + ISBN:0199141118 + + + + + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + generative homology + syngenous to + Cannot be used when orthologous patterning gene are organizing obviously non-homologous structures in different organisms due for example to pleiotropic functions of these genes. + in syngeny relationship with + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + DOI:10.1002/1521-1878(200009)22:9<846::AID-BIES10>3.0.CO;2-R + + + + + + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + 1:1 paralogy + apparent 1:1 orthology + apparent orthologous to + pseudoorthology + The genes are actually paralogs but appear to be orthologous due to differential, lineage-specific gene loss. + in apparent orthology relationship with + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + + + + + + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + pseudoparalogous to + These genes may come out as paralogs in a single-genome analysis. + in pseudoparalogy relationship with + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + + + + + + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + equivalogous to + This may include examples of orthology, paralogy and xenology. + in equivalogy relationship with + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + interologous to + in interology relationship with + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + + + + + + + + + + + Similarity that is characterized by interchangeability in function. + + + functional similarity + in functional equivalence relationship with + + + + + + Similarity that is characterized by interchangeability in function. + + + + + + + + + + + + + Biological homology that involves parts of the same organism. + + + iterative homologous to + in iterative homology relationship with + + + + + + Biological homology that involves parts of the same organism. + + + + + + + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + duplicate xenology + multiple xenology + paraxenologous to + in paraxenology relationship with + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + + + + + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + plerologous to + This phenomenon is usually due to gene conversion process. + in plerology relationship with + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + + + + + + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + homotopous to + Theissen (2005) mentions that some authors may consider homotopy to be distinct from homology, but this is not the standard use. + in homotopy relationship with + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + + ISBN:0123195837 + + + + + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + heterotopy + in homeosis relationship with + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + + + + + + + + + + + + Synology that results from allopolyploidy. + + + homoeologous to + On a long term, it is hard to distinguish allopolyploidy from whole genome duplication. + in homoeology relationship with + + + + + + Synology that results from allopolyploidy. + + + + + + + + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + axis paramorphism + in paramorphism relationship with + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + + + + + + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + regulogous to + in regulogy relationship with + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + + + + + + + + + + + + + + + + + + + + + + + + 0 + + + 100 + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + + 2018-05-22T16:43:28Z + This could be used to record the increased infant morality rate in some population compared to wild-type. For examples of usage see http://purl.obolibrary.org/obo/FBcv_0000351 and subclasses. + has increased age-specific mortality rate + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + PMID:24138933 + Wikipedia:Infant_mortality + + + + + + + + + + + + + + + + + + + + + + + + + p is a process = Def. p is an occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. (axiom label in BFO2 Reference: [083-003]) + An occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. + process + + + + + + + + + + disposition + + + + + + + + + + + + + + + + + + + + + A specifically dependent continuant that inheres in continuant entities and are not exhibited in full at every time in which it inheres in an entity or group of entities. The exhibition or actualization of a realizable entity is a particular manifestation, functioning or process that occurs under certain circumstances. + realizable entity + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + b is a specifically dependent continuant = Def. b is a continuant & there is some independent continuant c which is not a spatial region and which is such that b s-depends_on c at every time t during the course of b’s existence. (axiom label in BFO2 Reference: [050-003]) + A continuant that inheres in or is borne by other entities. Every instance of A requires some specific instance of B which must always be the same. + specifically dependent continuant + + + + + + + + + A realizable entity the manifestation of which brings about some result or end that is not essential to a continuant in virtue of the kind of thing that it is but that can be served or participated in by that kind of continuant in some kinds of natural, social or institutional contexts. + role + + + + + + + + + function + + + + + + + + + + + + + + + + + + + + + An independent continuant that is spatially extended whose identity is independent of that of other entities and can be maintained through time. + material entity + + + + + + + + + + + + + + + + + + + + immaterial entity + + + + + + + + + + + + + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CALOHA:TS-2035 + FBbt:00007002 + FMA:68646 + GO:0005623 + KUPO:0000002 + MESH:D002477 + VHOG:0001533 + WBbt:0004017 + XAO:0003012 + The definition of cell is intended to represent all cells, and thus a cell is defined as a material entity and not an anatomical structure, which implies that it is part of an organism (or the entirety of one). + cell + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CARO:mah + + + + + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + BTO:0001037 + FBbt:00005124 + FMA:84649 + MESH:D011984 + WBbt:0005759 + sensory neuron + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + ISBN:0721662544 + + + + + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + + BTO:0000938 + CALOHA:TS-0683 + FBbt:00005106 + FMA:54527 + VHOG:0001483 + WBbt:0003679 + nerve cell + These cells are also reportedly CD4-negative and CD200-positive. They are also capable of producing CD40L and IFN-gamma. + neuron + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + MESH:D009474 + http://en.wikipedia.org/wiki/Neuron + + + + + + + + + A system which has the disposition to environ one or more material entities. + 2013-09-23T16:04:08Z + EcoLexicon:environment + environment + In ENVO's alignment with the Basic Formal Ontology, this class is being considered as a subclass of a proposed BFO class "system". The relation "environed_by" is also under development. Roughly, a system which includes a material entity (at least partially) within its site and causally influences that entity may be considered to environ it. Following the completion of this alignment, this class' definition and the definitions of its subclasses will be revised. + environmental system + + + + + A system which has the disposition to environ one or more material entities. + DOI:10.1186/2041-1480-4-43 + + + + + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EcoLexicon:habitat + LTER:238 + SWEETRealm:Habitat + https://en.wikipedia.org/wiki/Habitat + A habitat's specificity to an ecological population differentiates it from other environment classes. + habitat + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EnvO:EnvO + + + + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + molecular function + GO:0003674 + Note that, in addition to forming the root of the molecular function ontology, this term is recommended for use for the annotation of gene products whose molecular function is unknown. When this term is used for annotation, it indicates that no information was available about the molecular function of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. Despite its name, this is not a type of 'function' in the sense typically defined by upper ontologies such as Basic Formal Ontology (BFO). It is instead a BFO:process carried out by a single gene product or complex. + molecular_function + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + E2 + E3 + KEGG_REACTION:R03876 + Reactome:R-HSA-1169394 + Reactome:R-HSA-1169395 + Reactome:R-HSA-1169397 + Reactome:R-HSA-1169398 + Reactome:R-HSA-1169402 + Reactome:R-HSA-1169405 + Reactome:R-HSA-1169406 + Reactome:R-HSA-1234163 + Reactome:R-HSA-1234172 + Reactome:R-HSA-1253282 + Reactome:R-HSA-1358789 + Reactome:R-HSA-1358790 + Reactome:R-HSA-1358792 + Reactome:R-HSA-1363331 + Reactome:R-HSA-168915 + Reactome:R-HSA-173542 + Reactome:R-HSA-173545 + Reactome:R-HSA-174057 + Reactome:R-HSA-174104 + Reactome:R-HSA-174144 + Reactome:R-HSA-174159 + Reactome:R-HSA-174195 + Reactome:R-HSA-174227 + Reactome:R-HSA-179417 + Reactome:R-HSA-180540 + Reactome:R-HSA-180597 + Reactome:R-HSA-182986 + Reactome:R-HSA-182993 + Reactome:R-HSA-183036 + Reactome:R-HSA-183051 + Reactome:R-HSA-183084 + Reactome:R-HSA-183089 + Reactome:R-HSA-1852623 + Reactome:R-HSA-187575 + Reactome:R-HSA-1912357 + Reactome:R-HSA-1912386 + Reactome:R-HSA-1918092 + Reactome:R-HSA-1918095 + Reactome:R-HSA-1977296 + Reactome:R-HSA-1980074 + Reactome:R-HSA-1980118 + Reactome:R-HSA-201425 + Reactome:R-HSA-202453 + Reactome:R-HSA-202534 + Reactome:R-HSA-205118 + Reactome:R-HSA-209063 + Reactome:R-HSA-211734 + Reactome:R-HSA-2169050 + Reactome:R-HSA-2172172 + Reactome:R-HSA-2179276 + Reactome:R-HSA-2186747 + Reactome:R-HSA-2186785 + Reactome:R-HSA-2187368 + Reactome:R-HSA-2213017 + Reactome:R-HSA-264444 + Reactome:R-HSA-2682349 + Reactome:R-HSA-2730904 + Reactome:R-HSA-2737728 + Reactome:R-HSA-2769007 + Reactome:R-HSA-2900765 + Reactome:R-HSA-3000335 + Reactome:R-HSA-3134804 + Reactome:R-HSA-3134946 + Reactome:R-HSA-3249386 + Reactome:R-HSA-3780995 + Reactome:R-HSA-3781009 + Reactome:R-HSA-3788724 + Reactome:R-HSA-3797226 + Reactome:R-HSA-400267 + Reactome:R-HSA-4332236 + Reactome:R-HSA-446877 + Reactome:R-HSA-450358 + Reactome:R-HSA-451418 + Reactome:R-HSA-5205682 + Reactome:R-HSA-5357757 + Reactome:R-HSA-5362412 + Reactome:R-HSA-5483238 + Reactome:R-HSA-5607725 + Reactome:R-HSA-5607728 + Reactome:R-HSA-5607756 + Reactome:R-HSA-5607757 + Reactome:R-HSA-5610742 + Reactome:R-HSA-5610745 + Reactome:R-HSA-5610746 + Reactome:R-HSA-5652009 + Reactome:R-HSA-5655170 + Reactome:R-HSA-5660753 + Reactome:R-HSA-5667107 + Reactome:R-HSA-5667111 + Reactome:R-HSA-5668454 + Reactome:R-HSA-5668534 + Reactome:R-HSA-5675470 + Reactome:R-HSA-5684250 + Reactome:R-HSA-5691108 + Reactome:R-HSA-5693108 + Reactome:R-HSA-68712 + Reactome:R-HSA-69598 + Reactome:R-HSA-741386 + Reactome:R-HSA-75824 + Reactome:R-HSA-870449 + Reactome:R-HSA-8948709 + Reactome:R-HSA-8956106 + Reactome:R-HSA-9013069 + Reactome:R-HSA-9013974 + Reactome:R-HSA-9014342 + Reactome:R-HSA-918224 + Reactome:R-HSA-936412 + Reactome:R-HSA-936942 + Reactome:R-HSA-936986 + Reactome:R-HSA-9628444 + Reactome:R-HSA-9645394 + Reactome:R-HSA-9645414 + Reactome:R-HSA-9688831 + Reactome:R-HSA-9701000 + Reactome:R-HSA-9750946 + Reactome:R-HSA-975118 + Reactome:R-HSA-975147 + Reactome:R-HSA-9758604 + Reactome:R-HSA-9793444 + Reactome:R-HSA-9793485 + Reactome:R-HSA-9793679 + Reactome:R-HSA-9796346 + Reactome:R-HSA-9796387 + Reactome:R-HSA-9796626 + Reactome:R-HSA-9815507 + Reactome:R-HSA-9817362 + Reactome:R-HSA-983140 + Reactome:R-HSA-983153 + Reactome:R-HSA-983156 + ubiquitin conjugating enzyme activity + ubiquitin ligase activity + ubiquitin protein ligase activity + ubiquitin protein-ligase activity + ubiquitin-conjugating enzyme activity + GO:0004842 + ubiquitin-protein transferase activity + + + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + GOC:BioGRID + GOC:jh2 + PMID:9635407 + + + + + Reactome:R-HSA-1169394 + ISGylation of IRF3 + + + + + Reactome:R-HSA-1169395 + ISGylation of viral protein NS1 + + + + + Reactome:R-HSA-1169397 + Activation of ISG15 by UBA7 E1 ligase + + + + + Reactome:R-HSA-1169398 + ISGylation of host protein filamin B + + + + + Reactome:R-HSA-1169402 + ISGylation of E2 conjugating enzymes + + + + + Reactome:R-HSA-1169405 + ISGylation of protein phosphatase 1 beta (PP2CB) + + + + + Reactome:R-HSA-1169406 + ISGylation of host proteins + + + + + Reactome:R-HSA-1234163 + Cytosolic VBC complex ubiquitinylates hydroxyprolyl-HIF-alpha + + + + + Reactome:R-HSA-1234172 + Nuclear VBC complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-1253282 + ERBB4 ubiquitination by WWP1/ITCH + + + + + Reactome:R-HSA-1358789 + Self-ubiquitination of RNF41 + + + + + Reactome:R-HSA-1358790 + RNF41 ubiquitinates ERBB3 + + + + + Reactome:R-HSA-1358792 + RNF41 ubiquitinates activated ERBB3 + + + + + Reactome:R-HSA-1363331 + Ubiquitination of p130 (RBL2) by SCF (Skp2) + + + + + Reactome:R-HSA-168915 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-173542 + SMURF2 ubiquitinates SMAD2 + + + + + Reactome:R-HSA-173545 + Ubiquitin-dependent degradation of the SMAD complex terminates TGF-beta signaling + + + + + Reactome:R-HSA-174057 + Multiubiquitination of APC/C-associated Cdh1 + + + + + Reactome:R-HSA-174104 + Ubiquitination of Cyclin A by APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174144 + Ubiquitination of Securin by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174159 + Ubiquitination of Emi1 by SCF-beta-TrCP + + + + + Reactome:R-HSA-174195 + Ubiquitination of cell cycle proteins targeted by the APC/C:Cdh1complex + + + + + Reactome:R-HSA-174227 + Ubiquitination of Cyclin B by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-179417 + Multiubiquitination of Nek2A + + + + + Reactome:R-HSA-180540 + Multi-ubiquitination of APOBEC3G + + + + + Reactome:R-HSA-180597 + Ubiquitination of CD4 by Vpu:CD4:beta-TrCP:SKP1 complex + + + + + Reactome:R-HSA-182986 + CBL-mediated ubiquitination of CIN85 + + + + + Reactome:R-HSA-182993 + Ubiquitination of stimulated EGFR (CBL) + + + + + Reactome:R-HSA-183036 + Ubiquitination of stimulated EGFR (CBL:GRB2) + + + + + Reactome:R-HSA-183051 + CBL ubiquitinates Sprouty + + + + + Reactome:R-HSA-183084 + CBL escapes CDC42-mediated inhibition by down-regulating the adaptor molecule Beta-Pix + + + + + Reactome:R-HSA-183089 + CBL binds and ubiquitinates phosphorylated Sprouty + + + + + Reactome:R-HSA-1852623 + Ubiquitination of NICD1 by FBWX7 + + + + + Reactome:R-HSA-187575 + Ubiquitination of phospho-p27/p21 + + + + + Reactome:R-HSA-1912357 + ITCH ubiquitinates DTX + + + + + Reactome:R-HSA-1912386 + Ubiquitination of NOTCH1 by ITCH in the absence of ligand + + + + + Reactome:R-HSA-1918092 + CHIP (STUB1) mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1918095 + CUL5 mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1977296 + NEDD4 ubiquitinates ERBB4jmAcyt1s80 dimer + + + + + Reactome:R-HSA-1980074 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 + + + + + Reactome:R-HSA-1980118 + ARRB mediates NOTCH1 ubiquitination + + + + + Reactome:R-HSA-201425 + Ubiquitin-dependent degradation of the Smad complex terminates BMP2 signalling + + + + + Reactome:R-HSA-202453 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-202534 + Ubiquitination of NEMO by TRAF6 + + + + + Reactome:R-HSA-205118 + TRAF6 polyubiquitinates NRIF + + + + + Reactome:R-HSA-209063 + Beta-TrCP ubiquitinates NFKB p50:p65:phospho IKBA complex + + + + + Reactome:R-HSA-211734 + Ubiquitination of PAK-2p34 + + + + + Reactome:R-HSA-2169050 + SMURFs/NEDD4L ubiquitinate phosphorylated TGFBR1 and SMAD7 + + + + + Reactome:R-HSA-2172172 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH2 + + + + + Reactome:R-HSA-2179276 + SMURF2 monoubiquitinates SMAD3 + + + + + Reactome:R-HSA-2186747 + Ubiquitination of SKI/SKIL by RNF111/SMURF2 + + + + + Reactome:R-HSA-2186785 + RNF111 ubiquitinates SMAD7 + + + + + Reactome:R-HSA-2187368 + STUB1 (CHIP) ubiquitinates SMAD3 + + + + + Reactome:R-HSA-2213017 + Auto-ubiquitination of TRAF3 + + + + + Reactome:R-HSA-264444 + Autoubiquitination of phospho-COP1(Ser-387 ) + + + + + Reactome:R-HSA-2682349 + RAF1:SGK:TSC22D3:WPP ubiquitinates SCNN channels + + + + + Reactome:R-HSA-2730904 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-2737728 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD domain mutants + + + + + Reactome:R-HSA-2769007 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 PEST domain mutants + + + + + Reactome:R-HSA-2900765 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD+PEST domain mutants + + + + + Reactome:R-HSA-3000335 + SCF-beta-TrCp1/2 ubiquitinates phosphorylated BORA + + + + + Reactome:R-HSA-3134804 + STING ubiquitination by TRIM32 or TRIM56 + + + + + Reactome:R-HSA-3134946 + DDX41 ubiquitination by TRIM21 + + + + + Reactome:R-HSA-3249386 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:dsDNA:ZBP1:TBK1 + + + + + Reactome:R-HSA-3780995 + NHLRC1 mediated ubiquitination of EPM2A (laforin) and PPP1RC3 (PTG) associated with glycogen-GYG2 + + + + + Reactome:R-HSA-3781009 + NHLRC1 mediated ubiquitination of EPM2A and PPP1RC3 associated with glycogen-GYG1 + + + + + Reactome:R-HSA-3788724 + Cdh1:APC/C ubiquitinates EHMT1 and EHMT2 + + + + + Reactome:R-HSA-3797226 + Defective NHLRC1 does not ubiquitinate EPM2A (laforin) and PPP1R3C (PTG) (type 2B disease) + + + + + Reactome:R-HSA-400267 + BTRC:CUL1:SKP1 (SCF-beta-TrCP1) ubiquitinylates PER proteins + + + + + Reactome:R-HSA-4332236 + CBL neddylates TGFBR2 + + + + + Reactome:R-HSA-446877 + TRAF6 is K63 poly-ubiquitinated + + + + + Reactome:R-HSA-450358 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR stimulation + + + + + Reactome:R-HSA-451418 + Pellino ubiquitinates IRAK1 + + + + + Reactome:R-HSA-5205682 + Parkin promotes the ubiquitination of mitochondrial substrates + + + + + Reactome:R-HSA-5357757 + BIRC(cIAP1/2) ubiquitinates RIPK1 + + + + + Reactome:R-HSA-5362412 + SYVN1 ubiquitinates Hh C-terminal fragments + + + + + Reactome:R-HSA-5483238 + Hh processing variants are ubiquitinated + + + + + Reactome:R-HSA-5607725 + SCF-beta-TRCP ubiquitinates p-7S-p100:RELB in active NIK:p-176,S180-IKKA dimer:p-7S-p100:SCF-beta-TRCP + + + + + Reactome:R-HSA-5607728 + beta-TRCP ubiquitinates IkB-alpha in p-S32,33-IkB-alpha:NF-kB complex + + + + + Reactome:R-HSA-5607756 + TRAF6 oligomer autoubiquitinates + + + + + Reactome:R-HSA-5607757 + K63polyUb-TRAF6 ubiquitinates TAK1 + + + + + Reactome:R-HSA-5610742 + SCF(beta-TrCP) ubiquitinates p-GLI1 + + + + + Reactome:R-HSA-5610745 + SCF(beta-TrCP) ubiquitinates p-GLI2 + + + + + Reactome:R-HSA-5610746 + SCF(beta-TrCP) ubiquitinates p-GLI3 + + + + + Reactome:R-HSA-5652009 + RAD18:UBE2B or RBX1:CUL4:DDB1:DTL monoubiquitinates PCNA + + + + + Reactome:R-HSA-5655170 + RCHY1 monoubiquitinates POLH + + + + + Reactome:R-HSA-5660753 + SIAH1:UBE2L6:Ubiquitin ubiquitinates SNCA + + + + + Reactome:R-HSA-5667107 + SIAH1, SIAH2 ubiquitinate SNCAIP + + + + + Reactome:R-HSA-5667111 + PARK2 K63-Ubiquitinates SNCAIP + + + + + Reactome:R-HSA-5668454 + K63polyUb-cIAP1,2 ubiquitinates TRAF3 + + + + + Reactome:R-HSA-5668534 + cIAP1,2 ubiquitinates NIK in cIAP1,2:TRAF2::TRAF3:NIK + + + + + Reactome:R-HSA-5675470 + BIRC2/3 (cIAP1/2) is autoubiquitinated + + + + + Reactome:R-HSA-5684250 + SCF betaTrCP ubiquitinates NFKB p105 within p-S927, S932-NFkB p105:TPL2:ABIN2 + + + + + Reactome:R-HSA-5691108 + SKP1:FBXL5:CUL1:NEDD8 ubiquitinylates IREB2 + + + + + Reactome:R-HSA-5693108 + TNFAIP3 (A20) ubiquitinates RIPK1 with K48-linked Ub chains + + + + + Reactome:R-HSA-68712 + The geminin component of geminin:Cdt1 complexes is ubiquitinated, releasing Cdt1 + + + + + Reactome:R-HSA-69598 + Ubiquitination of phosphorylated Cdc25A + + + + + Reactome:R-HSA-741386 + RIP2 induces K63-linked ubiquitination of NEMO + + + + + Reactome:R-HSA-75824 + Ubiquitination of Cyclin D1 + + + + + Reactome:R-HSA-870449 + TRIM33 monoubiquitinates SMAD4 + + + + + Reactome:R-HSA-8948709 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:STING:TBK1:IRF3 + + + + + Reactome:R-HSA-8956106 + VHL:EloB,C:NEDD8-CUL2:RBX1 complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-9013069 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH3 + + + + + Reactome:R-HSA-9013974 + Auto-ubiquitination of TRAF3 within activated TLR3 complex + + + + + Reactome:R-HSA-9014342 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-918224 + DDX58 is K63 polyubiquitinated + + + + + Reactome:R-HSA-936412 + RNF125 mediated ubiquitination of DDX58, IFIH1 and MAVS + + + + + Reactome:R-HSA-936942 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 + + + + + Reactome:R-HSA-936986 + Activated TRAF6 synthesizes unanchored polyubiquitin chains + + + + + Reactome:R-HSA-9628444 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR3 stimulation + + + + + Reactome:R-HSA-9645394 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon ALPK1:ADP-heptose stimulation + + + + + Reactome:R-HSA-9645414 + Auto ubiquitination of TRAF6 bound to ALPK1:ADP-heptose:TIFA oligomer + + + + + Reactome:R-HSA-9688831 + STUB1 ubiquitinates RIPK3 at K55, K363 + + + + + Reactome:R-HSA-9701000 + BRCA1:BARD1 heterodimer autoubiquitinates + + + + + Reactome:R-HSA-9750946 + TRAF2,6 ubiquitinates NLRC5 + + + + + Reactome:R-HSA-975118 + TRAF6 ubiquitinqtes IRF7 within the activated TLR7/8 or 9 complex + + + + + Reactome:R-HSA-975147 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 at endosome membrane + + + + + Reactome:R-HSA-9758604 + Ubiquitination of IKBKG by TRAF6 + + + + + Reactome:R-HSA-9793444 + ITCH polyubiquitinates MLKL at K50 + + + + + Reactome:R-HSA-9793485 + PRKN polyubiquitinates RIPK3 + + + + + Reactome:R-HSA-9793679 + LUBAC ubiquitinates RIPK1 at K627 + + + + + Reactome:R-HSA-9796346 + MIB2 ubiquitinates RIPK1 at K377, K604, K634 + + + + + Reactome:R-HSA-9796387 + STUB1 ubiquitinates RIPK1 at K571, K604, K627 + + + + + Reactome:R-HSA-9796626 + MIB2 ubiquitinates CFLAR + + + + + Reactome:R-HSA-9815507 + MIB2 ubiquitinates CYLD at K338, K530 + + + + + Reactome:R-HSA-9817362 + SPATA2:CYLD-bound LUBAC ubiquitinates RIPK1 at K627 within the TNFR1 signaling complex + + + + + Reactome:R-HSA-983140 + Transfer of Ub from E2 to substrate and release of E2 + + + + + Reactome:R-HSA-983153 + E1 mediated ubiquitin activation + + + + + Reactome:R-HSA-983156 + Polyubiquitination of substrate + + + + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + NIF_Subcellular:sao1702920020 + Wikipedia:Cell_nucleus + cell nucleus + horsetail nucleus + GO:0005634 + nucleus + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + GOC:go_curators + + + + + horsetail nucleus + GOC:al + GOC:mah + GOC:vw + PMID:15030757 + + + + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + jl + 2012-09-19T15:05:24Z + Wikipedia:Biological_process + biological process + physiological process + single organism process + single-organism process + GO:0008150 + Note that, in addition to forming the root of the biological process ontology, this term is recommended for use for the annotation of gene products whose biological process is unknown. When this term is used for annotation, it indicates that no information was available about the biological process of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. + biological_process + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + Reactome:R-HSA-6788855 + Reactome:R-HSA-6788867 + phosphokinase activity + GO:0016301 + Note that this term encompasses all activities that transfer a single phosphate group; although ATP is by far the most common phosphate donor, reactions using other phosphate donors are included in this term. + kinase activity + + + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + ISBN:0198506732 + + + + + Reactome:R-HSA-6788855 + FN3KRP phosphorylates PsiAm, RibAm + + + + + Reactome:R-HSA-6788867 + FN3K phosphorylates ketosamines + + + + + + + + + + + + true + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + Reactome:R-HSA-141367 + Reactome:R-HSA-162914 + GO:0019107 + myristoyltransferase activity + + + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + GOC:ai + + + + + Reactome:R-HSA-141367 + Myristoylation of tBID by NMT1 + + + + + Reactome:R-HSA-162914 + Myristoylation of Nef + + + + + + + + + + + + + + information content entity + information content entity + + + + + + + + + + + + + + + + + + + + + + + curation status specification + + The curation status of the term. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + Better to represent curation as a process with parts and then relate labels to that process (in IAO meeting) + PERSON:Bill Bug + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + OBI_0000266 + curation status specification + + + + + + + + + organism + animal + fungus + plant + virus + + A material entity that is an individual living system, such as animal, plant, bacteria or virus, that is capable of replicating or reproducing, growth and maintenance in the right environment. An organism may be unicellular or made up, like humans, of many billions of cells divided into specialized tissues and organs. + 10/21/09: This is a placeholder term, that should ideally be imported from the NCBI taxonomy, but the high level hierarchy there does not suit our needs (includes plasmids and 'other organisms') + 13-02-2009: +OBI doesn't take position as to when an organism starts or ends being an organism - e.g. sperm, foetus. +This issue is outside the scope of OBI. + GROUP: OBI Biomaterial Branch + WEB: http://en.wikipedia.org/wiki/Organism + organism + + + + + + + + + A disposition (i) to undergo pathological processes that (ii) exists in an organism because of one or more disorders in that organism. + disease + + + + + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATO:0000001 + quality + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATOC:GVG + + + + + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + + ramified + ramiform + PATO:0000402 + branched + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + WordNet:WordNet + + + + + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + PATO:0001199 + linear + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + ISBN:0881923214 + + + + + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + + 2009-10-06T04:37:14Z + PATO:0002124 + laminar + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + PATOC:GVG + + + + + + + + + An exposure event in which a human is exposed to particulate matter in the air. Here the exposure stimulus/stress is the particulate matter, the receptor is the airways and lungs of the human, + An exposure event in which a plant is provided with fertilizer. The exposure receptor is the root system of the plant, the stimulus is the fertilizing chemical, the route is via the soil, possibly mediated by symbotic microbes. + A process occurring within or in the vicinity of an organism that exerts some causal influence on the organism via the interaction between an exposure stimulus and an exposure receptor. The exposure stimulus may be a process, material entity or condition (for example, lack of nutrients). The exposure receptor can be an organism, organism population or a part of an organism. + This class is intended as a grouping for various domain and species-specific exposure classes. The ExO class http://purl.obolibrary.org/obo/ExO_0000002 'exposure event' assumes that all exposures involve stressors, which limits the applicability of this class to 'positive' exposures, e.g. exposing a plant to beneficial growing conditions. + + + 2017-06-05T17:55:39Z + exposure event or process + https://github.com/oborel/obo-relations/pull/173 + + + + + + + + + + + + + + Any entity that is ordered in discrete units along a linear axis. + + sequentially ordered entity + + + + + + + + + Any individual unit of a collection of like units arranged in a linear order + + An individual unit can be a molecular entity such as a base pair, or an abstract entity, such as the abstraction of a base pair. + sequence atomic unit + + + + + + + + + Any entity that can be divided into parts such that each part is an atomical unit of a sequence + + Sequence bearers can be molecular entities, such as a portion of a DNA molecule, or they can be abstract entities, such as an entity representing all human sonic hedgehog regions of the genome with a particular DNA sequence. + sequence bearer + + + + + + + + + A material entity consisting of multiple components that are causally integrated. + May be replaced by a BFO class, as discussed in http://www.jbiomedsem.com/content/4/1/43 + + http://www.jbiomedsem.com/content/4/1/43 + system + + + + + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + + + AAO:0010825 + AEO:0000003 + BILA:0000003 + CARO:0000003 + EHDAA2:0003003 + EMAPA:0 + FBbt:00007001 + FMA:305751 + FMA:67135 + GAID:781 + HAO:0000003 + MA:0003000 + MESH:D000825 + SCTID:362889002 + TAO:0000037 + TGMA:0001823 + VHOG:0001759 + XAO:0003000 + ZFA:0000037 + http://dbpedia.org/ontology/AnatomicalStructure + biological structure + connected biological structure + UBERON:0000061 + + + anatomical structure + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + CARO:0000003 + + + + + connected biological structure + CARO:0000003 + + + + + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBbt:00005099 + NLX:147821 + funiculus + nerve fiber bundle + neural fiber bundle + UBERON:0000122 + neuron projection bundle + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBC:DOS + FBbt:00005099 + + + + + nerve fiber bundle + FBbt:00005099 + + + + + + + + + + + Anatomical entity that has mass. + + + AAO:0010264 + AEO:0000006 + BILA:0000006 + CARO:0000006 + EHDAA2:0003006 + FBbt:00007016 + FMA:67165 + HAO:0000006 + TAO:0001836 + TGMA:0001826 + VHOG:0001721 + UBERON:0000465 + + + material anatomical entity + + + + + Anatomical entity that has mass. + http://orcid.org/0000-0001-9114-8737 + + + + + + + + + + Anatomical entity that has no mass. + + + AAO:0010265 + AEO:0000007 + BILA:0000007 + CARO:0000007 + EHDAA2:0003007 + FBbt:00007015 + FMA:67112 + HAO:0000007 + TAO:0001835 + TGMA:0001827 + VHOG:0001727 + immaterial physical anatomical entity + UBERON:0000466 + + + immaterial anatomical entity + + + + + Anatomical entity that has no mass. + http://orcid.org/0000-0001-9114-8737 + + + + + immaterial physical anatomical entity + FMA:67112 + + + + + + + + + + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + + + AAO:0010841 + AEO:0000000 + BILA:0000000 + BIRNLEX:6 + CARO:0000000 + EHDAA2:0002229 + FBbt:10000000 + FMA:62955 + HAO:0000000 + MA:0000001 + NCIT:C12219 + TAO:0100000 + TGMA:0001822 + UMLS:C1515976 + WBbt:0000100 + XAO:0000000 + ZFA:0100000 + UBERON:0001062 + + + anatomical entity + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + FMA:62955 + http://orcid.org/0000-0001-9114-8737 + + + + + UMLS:C1515976 + ncithesaurus:Anatomic_Structure_System_or_Substance + + + + + + + + + An anatomical structure that has more than one cell as a part. + + + CARO:0010000 + FBbt:00100313 + multicellular structure + UBERON:0010000 + + + multicellular anatomical structure + + + + + An anatomical structure that has more than one cell as a part. + CARO:0010000 + + + + + multicellular structure + FBbt:00100313 + + + + + + + + + phenotype + + + + + + + + + + + + + + entity nature + + + + + + + + + continuant nature + + + + + + + + + occurrent nature + + + + + + + + + independent continuant nature + + + + + + + + + spatial region nature + + + + + + + + + temporal region nature + + + + + + + + + two-dimensional spatial region nature + + + + + + + + + spatiotemporal region nature + + + + + + + + + process nature + + + + + + + + + disposition nature + + + + + + + + + realizable entity nature + + + + + + + + + zero-dimensional spatial region nature + + + + + + + + + quality nature + + + + + + + + + specifically dependent continuant nature + + + + + + + + + role nature + + + + + + + + + fiat object part nature + + + + + + + + + one-dimensional spatial region nature + + + + + + + + + object aggregate nature + + + + + + + + + three-dimensional spatial region nature + + + + + + + + + site nature + + + + + + + + + object nature + + + + + + + + + generically dependent continuant nature + + + + + + + + + function nature + + + + + + + + + process boundary nature + + + + + + + + + one-dimensional temporal region nature + + + + + + + + + material entity nature + + + + + + + + + continuant fiat boundary nature + + + + + + + + + immaterial entity nature + + + + + + + + + one-dimensional continuant fiat boundary nature + + + + + + + + + process profile nature + + + + + + + + + relational quality nature + + + + + + + + + two-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional temporal region nature + + + + + + + + + history nature + + + + + + + + + + + + + example to be eventually removed + example to be eventually removed + + + + + + + + metadata complete + Class has all its metadata, but is either not guaranteed to be in its final location in the asserted IS_A hierarchy or refers to another class that is not complete. + metadata complete + + + + + + + + organizational term + Term created to ease viewing/sort terms for development purpose, and will not be included in a release + organizational term + + + + + + + + ready for release + + Class has undergone final review, is ready for use, and will be included in the next release. Any class lacking "ready_for_release" should be considered likely to change place in hierarchy, have its definition refined, or be obsoleted in the next release. Those classes deemed "ready_for_release" will also derived from a chain of ancestor classes that are also "ready_for_release." + ready for release + + + + + + + + metadata incomplete + Class is being worked on; however, the metadata (including definition) are not complete or sufficiently clear to the branch editors. + metadata incomplete + + + + + + + + uncurated + Nothing done yet beyond assigning a unique class ID and proposing a preferred term. + uncurated + + + + + + + + + pending final vetting + + All definitions, placement in the asserted IS_A hierarchy and required minimal metadata are complete. The class is awaiting a final review by someone other than the term editor. + pending final vetting + + + + + + + + to be replaced with external ontology term + Terms with this status should eventually replaced with a term from another ontology. + Alan Ruttenberg + group:OBI + to be replaced with external ontology term + + + + + + + + + requires discussion + + A term that is metadata complete, has been reviewed, and problems have been identified that require discussion before release. Such a term requires editor note(s) to identify the outstanding issues. + Alan Ruttenberg + group:OBI + requires discussion + + + + + + + + ## Elucidation + +This is used when the statement/axiom is assumed to hold true &apos;eternally&apos; + +## How to interpret (informal) + +First the &quot;atemporal&quot; FOL is derived from the OWL using the standard +interpretation. This axiom is temporalized by embedding the axiom +within a for-all-times quantified sentence. The t argument is added to +all instantiation predicates and predicates that use this relation. + +## Example + + Class: nucleus + SubClassOf: part_of some cell + + forall t : + forall n : + instance_of(n,Nucleus,t) + implies + exists c : + instance_of(c,Cell,t) + part_of(n,c,t) + +## Notes + +This interpretation is *not* the same as an at-all-times relation + axiom holds for all times + + + + + + + + ## Elucidation + +This is used when the first-order logic form of the relation is +binary, and takes no temporal argument. + +## Example: + + Class: limb + SubClassOf: develops_from some lateral-plate-mesoderm + + forall t, t2: + forall x : + instance_of(x,Limb,t) + implies + exists y : + instance_of(y,LPM,t2) + develops_from(x,y) + relation has no temporal argument + + + + + + + + Researcher + Austin Meier + + + + + Researcher + + + + + + Austin Meier + + + + + + + + + researcher + Shawn Zheng Kai Tan + + + + + researcher + + + + + + Shawn Zheng Kai Tan + + + + + + + + + researcher, metadata, diseases, University of Maryland + Lynn Schriml + + + + + researcher, metadata, diseases, University of Maryland + + + + + + Lynn Schriml + + + + + + + + + data scientist + Anne Thessen + + + + + data scientist + + + + + + Anne Thessen + + + + + + + + + researcher + Pier Luigi Buttigieg + + + + + researcher + + + + + + Pier Luigi Buttigieg + + + + + + + + + bioinformatics researcher + Christopher J. Mungall + + + + + bioinformatics researcher + + + + + + Christopher J. Mungall + + + + + + + + + researcher + David Osumi-Sutherland + + + + + researcher + + + + + + David Osumi-Sutherland + + + + + + + + + researcher + Lauren E. Chan + + + + + researcher + + + + + + Lauren E. Chan + + + + + + + + + researcher + Marie-Angélique Laporte + + + + + researcher + + + + + + Marie-Angélique Laporte + + + + + + + + + researcher + James P. Balhoff + + + + + researcher + + + + + + James P. Balhoff + + + + + + + + + researcher + Lindsay G Cowell + + + + + researcher + + + + + + Lindsay G Cowell + + + + + + + + + researcher + Anna Maria Masci + + + + + researcher + + + + + + Anna Maria Masci + + + + + + + + + American chemist + Charles Tapley Hoyt + + + + + American chemist + + + + + + Charles Tapley Hoyt + + + + + + + independent continuant + + + A continuant that is a bearer of quality and realizable entity entities, in which other entities inhere and which itself cannot inhere in anything. + + + continuant + + + An entity that exists in full at any time in which it exists at all, persists through time while maintaining its identity and has no temporal parts. + + + An entity that has temporal parts and that happens, unfolds or develops through time. + + + quality + + + generically dependent continuant + + + spatial region + + + occurrent + + + A continuant that is dependent on one or other independent continuant bearers. For every instance of A requires some instance of (an independent continuant type) B but which instance of B serves can change from time to time. + + + b is an independent continuant = Def. b is a continuant which is such that there is no c and no t such that b s-depends_on c at t. (axiom label in BFO2 Reference: [017-002]) + + + b is a generically dependent continuant = Def. b is a continuant that g-depends_on one or more other entities. (axiom label in BFO2 Reference: [074-001]) + + + + + + + + data item + data item + + + data about an ontology part + Data about an ontology part is a data item about a part of an ontology, for example a term + Person:Alan Ruttenberg + data about an ontology part + + + failed exploratory term + The term was used in an attempt to structure part of the ontology but in retrospect failed to do a good job + Person:Alan Ruttenberg + failed exploratory term + + + in branch + An annotation property indicating which module the terms belong to. This is currently experimental and not implemented yet. + GROUP:OBI + OBI_0000277 + in branch + + + Core is an instance of a grouping of terms from an ontology or ontologies. It is used by the ontology to identify main classes. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolete_core + + + obsolescence reason specification + + The reason for which a term has been deprecated. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + The creation of this class has been inspired in part by Werner Ceusters' paper, Applying evolutionary terminology auditing to the Gene Ontology. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolescence reason specification + + + placeholder removed + placeholder removed + + + terms merged + An editor note should explain what were the merged terms and the reason for the merge. + terms merged + + + term imported + This is to be used when the original term has been replaced by a term imported from an other ontology. An editor note should indicate what is the URI of the new term to use. + term imported + + + term split + This is to be used when a term has been split in two or more new terms. An editor note should indicate the reason for the split and indicate the URIs of the new terms created. + term split + + + has obsolescence reason + Relates an annotation property to an obsolescence reason. The values of obsolescence reasons come from a list of predefined terms, instances of the class obsolescence reason specification. + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + has obsolescence reason + + + ontology term requester + + The name of the person, project, or organization that motivated inclusion of an ontology term by requesting its addition. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'term requester' can credit the person, organization or project who request the ontology term. + ontology term requester + + + denotator type + The Basic Formal Ontology ontology makes a distinction between Universals and defined classes, where the formal are "natural kinds" and the latter arbitrary collections of entities. + A denotator type indicates how a term should be interpreted from an ontological perspective. + Alan Ruttenberg + Barry Smith, Werner Ceusters + denotator type + + + universal + Hard to give a definition for. Intuitively a "natural kind" rather than a collection of any old things, which a class is able to be, formally. At the meta level, universals are defined as positives, are disjoint with their siblings, have single asserted parents. + Alan Ruttenberg + A Formal Theory of Substances, Qualities, and Universals, http://ontology.buffalo.edu/bfo/SQU.pdf + universal + + + is denotator type + Relates an class defined in an ontology, to the type of it's denotator + In OWL 2 add AnnotationPropertyRange('is denotator type' 'denotator type') + Alan Ruttenberg + is denotator type + + + defined class + A defined class is a class that is defined by a set of logically necessary and sufficient conditions but is not a universal + "definitions", in some readings, always are given by necessary and sufficient conditions. So one must be careful (and this is difficult sometimes) to distinguish between defined classes and universal. + Alan Ruttenberg + defined class + + + named class expression + A named class expression is a logical expression that is given a name. The name can be used in place of the expression. + named class expressions are used in order to have more concise logical definition but their extensions may not be interesting classes on their own. In languages such as OWL, with no provisions for macros, these show up as actuall classes. Tools may with to not show them as such, and to replace uses of the macros with their expansions + Alan Ruttenberg + named class expression + + + antisymmetric property + part_of antisymmetric property xsd:true + Use boolean value xsd:true to indicate that the property is an antisymmetric property + Alan Ruttenberg + antisymmetric property + + + has ID digit count + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to the number of digits in the URI. The URI is: the 'has ID prefix" annotation property value concatenated with an integer in the id range (left padded with "0"s to make this many digits) + Person:Alan Ruttenberg + has ID digit count + + + has ID range allocated + Datatype: idrange:1 +Annotations: 'has ID range allocated to': "Chris Mungall" +EquivalentTo: xsd:integer[> 2151 , <= 2300] + + Relates a datatype that encodes a range of integers to the name of the person or organization who can use those ids constructed in that range to define new terms + Person:Alan Ruttenberg + has ID range allocated to + + + has ID policy for + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relating an ontology used to record id policy to the ontology namespace whose policy it manages + Person:Alan Ruttenberg + has ID policy for + + + has ID prefix + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to a prefix concatenated with an integer in the id range (left padded with "0"s to make this many digits) to construct an ID for a term being created. + Person:Alan Ruttenberg + has ID prefix + + + has associated axiom(nl) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom associated with a term expressed using natural language + has associated axiom(nl) + + + has associated axiom(fol) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom expressed in first order logic using CLIF syntax + has associated axiom(fol) + + + is allocated id range + Relates an ontology IRI to an (inclusive) range of IRIs in an OBO name space. The range is give as, e.g. "IAO_0020000-IAO_0020999" + PERSON:Alan Ruttenberg + Add as annotation triples in the granting ontology + is allocated id range + + + may be identical to + A annotation relationship between two terms in an ontology that may refer to the same (natural) type but where more evidence is required before terms are merged. + David Osumi-Sutherland + Edges asserting this should be annotated with to record evidence supporting the assertion and its provenance. + may be identical to + + + scheduled for obsoletion on or after + Used when the class or object is scheduled for obsoletion/deprecation on or after a particular date. + Chris Mungall, Jie Zheng + scheduled for obsoletion on or after + + + has axiom id + Person:Alan Ruttenberg + Person:Alan Ruttenberg + A URI that is intended to be unique label for an axiom used for tracking change to the ontology. For an axiom expressed in different languages, each expression is given the same URI + has axiom label + + + ontology module + I have placed this under 'data about an ontology part', but this can be discussed. I think this is OK if 'part' is interpreted reflexively, as an ontology module is the whole ontology rather than part of it. + ontology file + This class and it's subclasses are applied to OWL ontologies. Using an rdf:type triple will result in problems with OWL-DL. I propose that dcterms:type is instead used to connect an ontology URI with a class from this hierarchy. The class hierarchy is not disjoint, so multiple assertions can be made about a single ontology. + ontology module + + + base ontology module + An ontology module that comprises only of asserted axioms local to the ontology, excludes import directives, and excludes axioms or declarations from external ontologies. + base ontology module + + + + editors ontology module + An ontology module that is intended to be directly edited, typically managed in source control, and typically not intended for direct consumption by end-users. + source ontology module + editors ontology module + + + main release ontology module + An ontology module that is intended to be the primary release product and the one consumed by the majority of tools. + TODO: Add logical axioms that state that a main release ontology module is derived from (directly or indirectly) an editors module + main release ontology module + + + bridge ontology module + An ontology module that consists entirely of axioms that connect or bridge two distinct ontology modules. For example, the Uberon-to-ZFA bridge module. + bridge ontology module + + + + import ontology module + A subset ontology module that is intended to be imported from another ontology. + TODO: add axioms that indicate this is the output of a module extraction process. + import file + import ontology module + + + + subset ontology module + An ontology module that is extracted from a main ontology module and includes only a subset of entities or axioms. + ontology slim + subset ontology + subset ontology module + + + + + curation subset ontology module + A subset ontology that is intended as a whitelist for curators using the ontology. Such a subset will exclude classes that curators should not use for curation. + curation subset ontology module + + + analysis ontology module + An ontology module that is intended for usage in analysis or discovery applications. + analysis subset ontology module + + + single layer ontology module + A subset ontology that is largely comprised of a single layer or strata in an ontology class hierarchy. The purpose is typically for rolling up for visualization. The classes in the layer need not be disjoint. + ribbon subset + single layer subset ontology module + + + exclusion subset ontology module + A subset of an ontology that is intended to be excluded for some purpose. For example, a blacklist of classes. + antislim + exclusion subset ontology module + + + external import ontology module + An imported ontology module that is derived from an external ontology. Derivation methods include the OWLAPI SLME approach. + external import + external import ontology module + + + species subset ontology module + A subset ontology that is crafted to either include or exclude a taxonomic grouping of species. + taxon subset + species subset ontology module + + + + reasoned ontology module + An ontology module that contains axioms generated by a reasoner. The generated axioms are typically direct SubClassOf axioms, but other possibilities are available. + reasoned ontology module + + + + generated ontology module + An ontology module that is automatically generated, for example via a SPARQL query or via template and a CSV. + TODO: Add axioms (using PROV-O?) that indicate this is the output-of some reasoning process + generated ontology module + + + template generated ontology module + An ontology module that is automatically generated from a template specification and fillers for slots in that template. + template generated ontology module + + + + + + taxonomic bridge ontology module + taxonomic bridge ontology module + + + ontology module subsetted by expressivity + ontology module subsetted by expressivity + + + obo basic subset ontology module + A subset ontology that is designed for basic applications to continue to make certain simplifying assumptions; many of these simplifying assumptions were based on the initial version of the Gene Ontology, and have become enshrined in many popular and useful tools such as term enrichment tools. + +Examples of such assumptions include: traversing the ontology graph ignoring relationship types using a naive algorithm will not lead to cycles (i.e. the ontology is a DAG); every referenced term is declared in the ontology (i.e. there are no dangling clauses). + +An ontology is OBO Basic if and only if it has the following characteristics: +DAG +Unidirectional +No Dangling Clauses +Fully Asserted +Fully Labeled +No equivalence axioms +Singly labeled edges +No qualifier lists +No disjointness axioms +No owl-axioms header +No imports + obo basic subset ontology module + + + + ontology module subsetted by OWL profile + ontology module subsetted by OWL profile + + + EL++ ontology module + EL++ ontology module + + + The term was added to the ontology on the assumption it was in scope, but it turned out later that it was not. + This obsolesence reason should be used conservatively. Typical valid examples are: un-necessary grouping classes in disease ontologies, a phenotype term added on the assumption it was a disease. + + out of scope + + + This is an annotation used on an object property to indicate a logical characterstic beyond what is possible in OWL. + OBO Operations call + + logical characteristic of object property + + + CHEBI:26523 (reactive oxygen species) has an exact synonym (ROS), which is of type OMO:0003000 (abbreviation) + A synonym type for describing abbreviations or initalisms + + abbreviation + + + A synonym type for describing ambiguous synonyms + + ambiguous synonym + + + A synonym type for describing dubious synonyms + + dubious synonym + + + EFO:0006346 (severe cutaneous adverse reaction) has an exact synonym (scar), which is of the type OMO:0003003 (layperson synonym) + A synonym type for describing layperson or colloquial synonyms + + layperson synonym + + + CHEBI:23367 (molecular entity) has an exact synonym (molecular entities), which is of the type OMO:0003004 (plural form) + A synonym type for describing pluralization synonyms + + plural form + + + CHEBI:16189 (sulfate) has an exact synonym (sulphate), which is of the type OMO:0003005 (UK spelling synonym) + A synonym type for describing UK spelling variants + + UK spelling synonym + + + A synonym type for common misspellings + + misspelling + + + A synonym type for misnomers, i.e., a synonym that is not technically correct but is commonly used anyway + + misnomer + + + MAPT, the gene that encodes the Tau protein, has a previous name DDPAC. Note: in this case, the name type is more specifically the gene symbol. + A synonym type for names that have been used as primary labels in the past. + + previous name + + + The legal name for Harvard University (https://ror.org/03vek6s52) is President and Fellows of Harvard College + A synonym type for the legal entity name + + legal name + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + effector input is compound function input + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Input of effector is input of its parent MF + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly regulates X, its parent MF directly regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly positively regulates X, its parent MF directly positively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly negatively regulates X, its parent MF directly negatively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally downstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally upstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + MF(X)-directly_regulates->MF(Y)-enabled_by->GP(Z) => MF(Y)-has_input->GP(Y) e.g. if 'protein kinase activity'(X) directly_regulates 'protein binding activity (Y)and this is enabled by GP(Z) then X has_input Z + infer input from direct reg + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + GP(X)-enables->MF(Y)-has_part->MF(Z) => GP(X) enables MF(Z), +e.g. if GP X enables ATPase coupled transporter activity' and 'ATPase coupled transporter activity' has_part 'ATPase activity' then GP(X) enables 'ATPase activity' + enabling an MF enables its parts + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + GP(X)-enables->MF(Y)-part_of->BP(Z) => GP(X) involved_in BP(Z) e.g. if X enables 'protein kinase activity' and Y 'part of' 'signal tranduction' then X involved in 'signal transduction' + involved in BP + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + If a molecular function (X) has a regulatory subfunction, then any gene product which is an input to that subfunction has an activity that directly_regulates X. Note: this is intended for cases where the regaultory subfunction is protein binding, so it could be tightened with an additional clause to specify this. + inferring direct reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct neg reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct positive reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/src/rdf_expressionizer/ontology/xbfo.owl b/src/rdf_expressionizer/ontology/xbfo.owl new file mode 100644 index 0000000..6720d9b --- /dev/null +++ b/src/rdf_expressionizer/ontology/xbfo.owl @@ -0,0 +1,340 @@ + + + + + + + + + + + + + + + entity nature + + + + + + + + + continuant nature + + + + + + + + + occurrent nature + + + + + + + + + independent continuant nature + + + + + + + + + spatial region nature + + + + + + + + + temporal region nature + + + + + + + + + two-dimensional spatial region nature + + + + + + + + + spatiotemporal region nature + + + + + + + + + process nature + + + + + + + + + disposition nature + + + + + + + + + realizable entity nature + + + + + + + + + zero-dimensional spatial region nature + + + + + + + + + quality nature + + + + + + + + + specifically dependent continuant nature + + + + + + + + + role nature + + + + + + + + + fiat object part nature + + + + + + + + + one-dimensional spatial region nature + + + + + + + + + object aggregate nature + + + + + + + + + three-dimensional spatial region nature + + + + + + + + + site nature + + + + + + + + + object nature + + + + + + + + + generically dependent continuant nature + + + + + + + + + function nature + + + + + + + + + process boundary nature + + + + + + + + + one-dimensional temporal region nature + + + + + + + + + material entity nature + + + + + + + + + continuant fiat boundary nature + + + + + + + + + immaterial entity nature + + + + + + + + + one-dimensional continuant fiat boundary nature + + + + + + + + + process profile nature + + + + + + + + + relational quality nature + + + + + + + + + two-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional continuant fiat boundary nature + + + + + + + + + zero-dimensional temporal region nature + + + + + + + + + history nature + + + + + + + diff --git a/src/rdf_expressionizer/ontology/xbfo_template.csv b/src/rdf_expressionizer/ontology/xbfo_template.csv new file mode 100644 index 0000000..609db96 --- /dev/null +++ b/src/rdf_expressionizer/ontology/xbfo_template.csv @@ -0,0 +1,37 @@ +id,label,parent +ID,LABEL,SC % +XBFO:0000001,entity nature, +XBFO:0000002,continuant nature,XBFO:0000001 +XBFO:0000003,occurrent nature,XBFO:0000001 +XBFO:0000004,independent continuant nature,XBFO:0000002 +XBFO:0000006,spatial region nature,XBFO:0000141 +XBFO:0000008,temporal region nature,XBFO:0000003 +XBFO:0000009,two-dimensional spatial region nature,XBFO:0000006 +XBFO:0000011,spatiotemporal region nature,XBFO:0000003 +XBFO:0000015,process nature,XBFO:0000003 +XBFO:0000016,disposition nature,XBFO:0000017 +XBFO:0000017,realizable entity nature,XBFO:0000020 +XBFO:0000018,zero-dimensional spatial region nature,XBFO:0000006 +XBFO:0000019,quality nature,XBFO:0000020 +XBFO:0000020,specifically dependent continuant nature,XBFO:0000002 +XBFO:0000023,role nature,XBFO:0000017 +XBFO:0000024,fiat object part nature,XBFO:0000040 +XBFO:0000026,one-dimensional spatial region nature,XBFO:0000006 +XBFO:0000027,object aggregate nature,XBFO:0000040 +XBFO:0000028,three-dimensional spatial region nature,XBFO:0000006 +XBFO:0000029,site nature,XBFO:0000141 +XBFO:0000030,object nature,XBFO:0000040 +XBFO:0000031,generically dependent continuant nature,XBFO:0000002 +XBFO:0000034,function nature,XBFO:0000016 +XBFO:0000035,process boundary nature,XBFO:0000003 +XBFO:0000038,one-dimensional temporal region nature,XBFO:0000008 +XBFO:0000040,material entity nature,XBFO:0000004 +XBFO:0000140,continuant fiat boundary nature,XBFO:0000141 +XBFO:0000141,immaterial entity nature,XBFO:0000004 +XBFO:0000142,one-dimensional continuant fiat boundary nature,XBFO:0000140 +XBFO:0000144,process profile nature,XBFO:0000015 +XBFO:0000145,relational quality nature,XBFO:0000019 +XBFO:0000146,two-dimensional continuant fiat boundary nature,XBFO:0000140 +XBFO:0000147,zero-dimensional continuant fiat boundary nature,XBFO:0000140 +XBFO:0000148,zero-dimensional temporal region nature,XBFO:0000008 +XBFO:0000182,history nature,XBFO:0000015 diff --git a/tests/__init__.py b/tests/__init__.py new file mode 100644 index 0000000..754ac70 --- /dev/null +++ b/tests/__init__.py @@ -0,0 +1 @@ +"""Tests for rdf-expressionizer.""" diff --git a/tests/conftest.py b/tests/conftest.py new file mode 100644 index 0000000..8660f56 --- /dev/null +++ b/tests/conftest.py @@ -0,0 +1,8 @@ +import pytest +from click.testing import CliRunner + + +@pytest.fixture +def runner() -> CliRunner: + runner = CliRunner() + return runner diff --git a/tests/input/bfo.owl b/tests/input/bfo.owl new file mode 100644 index 0000000..b440ee5 --- /dev/null +++ b/tests/input/bfo.owl @@ -0,0 +1,1715 @@ + + + + + BFO 2 Reference: BFO does not claim to provide complete coverage of entities of all types. It seeks only to provide coverage of those entities studied by empirical science together with those entities which affect or are involved in human activities such as data processing and planning - coverage that is sufficiently broad to provide assistance to those engaged in building domain ontologies for purposes of data annotation. + BFO 2 Reference: BFO's treatment of continuants and occurrents - as also its treatment of regions, rests on a dichotomy between space and time, and on the view that there are two perspectives on reality - earlier called the 'SNAP' and 'SPAN' perspectives, both of which are essential to the non-reductionist representation of reality as we understand it from the best available science. + BFO 2 Reference: For both terms and relational expressions in BFO, we distinguish between primitive and defined. 'Entity' is an example of a primitive term. Primitive terms in a highest-level ontology such as BFO are terms that are so basic to our understanding of reality that there is no way of defining them in a non-circular fashion. For these, therefore, we can provide only elucidations, supplemented by examples and by axioms. + Alan Ruttenberg + Albert Goldfain + Barry Smith + Bill Duncan + Bjoern Peters + Chris Mungall + David Osumi-Sutherland + Fabian Neuhaus + Holger Stenzhorn + James A. Overton + Janna Hastings + Jie Zheng + Jonathan Bona + Larry Hunter + Leonard Jacuzzo + Ludger Jansen + Mark Ressler + Mathias Brochhausen + Mauricio Almeida + Melanie Courtot + Pierre Grenon + Randall Dipert + Ron Rudnicki + Selja Seppälä + Stefan Schulz + Thomas Bittner + Werner Ceusters + Yongqun "Oliver" He + + Please see the project site https://github.com/BFO-ontology/BFO, the bfo2 owl discussion group http://groups.google.com/group/bfo-owl-devel, the bfo2 discussion group http://groups.google.com/group/bfo-devel, the tracking google doc http://goo.gl/IlrEE, and the current version of the bfo2 reference http://purl.obolibrary.org/obo/bfo/dev/bfo2-reference.docx. This ontology is generated from a specification at https://github.com/BFO-ontology/BFO/tree/master/src/ontology/owl-group/specification/ and with the code that generates the OWL version in https://github.com/BFO-ontology/BFO/tree/master/src/tools/. A very early version of BFO version 2 in CLIF is at http://purl.obolibrary.org/obo/bfo/dev/bfo.clif. + The BSD license on the BFO project site refers to code used to build BFO. + This BFO 2.0 version represents a major update to BFO and is not strictly backwards compatible with BFO 1.1. The previous OWL version of BFO, version 1.1.1 will remain available at http://ifomis.org/bfo/1.1 and will no longer be updated. The BFO 2.0 OWL is a classes-only specification. The incorporation of core relations has been held over for a later version. + + + + + + + + + + + + + + + + + + + + + + + + Relates an entity in the ontology to the name of the variable that is used to represent it in the code that generates the BFO OWL file from the lispy specification. + Really of interest to developers only + BFO OWL specification label + + + + + + + + + Relates an entity in the ontology to the term that is used to represent it in the the CLIF specification of BFO2 + Person:Alan Ruttenberg + Really of interest to developers only + BFO CLIF specification label + + + + + + + + + + editor preferred term + + + + + + + + + example of usage + + + + + + + + + definition + + + + + + + + + editor note + + + + + + + + + term editor + + + + + + + + + alternative term + + + + + + + + + definition source + + + + + + + + + curator note + + + + + + + + + imported from + + + + + + + + + elucidation + + + + + + + + + has associated axiom(nl) + + + + + + + + + has associated axiom(fol) + + + + + + + + + has axiom label + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + entity + Entity + Julius Caesar + Verdi’s Requiem + the Second World War + your body mass index + BFO 2 Reference: In all areas of empirical inquiry we encounter general terms of two sorts. First are general terms which refer to universals or types:animaltuberculosissurgical procedurediseaseSecond, are general terms used to refer to groups of entities which instantiate a given universal but do not correspond to the extension of any subuniversal of that universal because there is nothing intrinsic to the entities in question by virtue of which they – and only they – are counted as belonging to the given group. Examples are: animal purchased by the Emperortuberculosis diagnosed on a Wednesdaysurgical procedure performed on a patient from Stockholmperson identified as candidate for clinical trial #2056-555person who is signatory of Form 656-PPVpainting by Leonardo da VinciSuch terms, which represent what are called ‘specializations’ in [81 + Entity doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. For example Werner Ceusters 'portions of reality' include 4 sorts, entities (as BFO construes them), universals, configurations, and relations. It is an open question as to whether entities as construed in BFO will at some point also include these other portions of reality. See, for example, 'How to track absolutely everything' at http://www.referent-tracking.com/_RTU/papers/CeustersICbookRevised.pdf + An entity is anything that exists or has existed or will exist. (axiom label in BFO2 Reference: [001-001]) + + entity + + + + + Entity doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. For example Werner Ceusters 'portions of reality' include 4 sorts, entities (as BFO construes them), universals, configurations, and relations. It is an open question as to whether entities as construed in BFO will at some point also include these other portions of reality. See, for example, 'How to track absolutely everything' at http://www.referent-tracking.com/_RTU/papers/CeustersICbookRevised.pdf + + per discussion with Barry Smith + + + + + + An entity is anything that exists or has existed or will exist. (axiom label in BFO2 Reference: [001-001]) + + + + + + + + + + + continuant + Continuant + BFO 2 Reference: Continuant entities are entities which can be sliced to yield parts only along the spatial dimension, yielding for example the parts of your table which we call its legs, its top, its nails. ‘My desk stretches from the window to the door. It has spatial parts, and can be sliced (in space) in two. With respect to time, however, a thing is a continuant.’ [60, p. 240 + Continuant doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. For example, in an expansion involving bringing in some of Ceuster's other portions of reality, questions are raised as to whether universals are continuants + A continuant is an entity that persists, endures, or continues to exist through time while maintaining its identity. (axiom label in BFO2 Reference: [008-002]) + if b is a continuant and if, for some t, c has_continuant_part b at t, then c is a continuant. (axiom label in BFO2 Reference: [126-001]) + if b is a continuant and if, for some t, cis continuant_part of b at t, then c is a continuant. (axiom label in BFO2 Reference: [009-002]) + if b is a material entity, then there is some temporal interval (referred to below as a one-dimensional temporal region) during which b exists. (axiom label in BFO2 Reference: [011-002]) + (forall (x y) (if (and (Continuant x) (exists (t) (continuantPartOfAt y x t))) (Continuant y))) // axiom label in BFO2 CLIF: [009-002] + (forall (x y) (if (and (Continuant x) (exists (t) (hasContinuantPartOfAt y x t))) (Continuant y))) // axiom label in BFO2 CLIF: [126-001] + (forall (x) (if (Continuant x) (Entity x))) // axiom label in BFO2 CLIF: [008-002] + (forall (x) (if (Material Entity x) (exists (t) (and (TemporalRegion t) (existsAt x t))))) // axiom label in BFO2 CLIF: [011-002] + + continuant + + + + + (forall (x) (if (Continuant x) (Entity x))) // axiom label in BFO2 CLIF: [008-002] + + + + + + (forall (x) (if (Material Entity x) (exists (t) (and (TemporalRegion t) (existsAt x t))))) // axiom label in BFO2 CLIF: [011-002] + + + + + + Continuant doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. For example, in an expansion involving bringing in some of Ceuster's other portions of reality, questions are raised as to whether universals are continuants + + + + + + A continuant is an entity that persists, endures, or continues to exist through time while maintaining its identity. (axiom label in BFO2 Reference: [008-002]) + + + + + + if b is a continuant and if, for some t, c has_continuant_part b at t, then c is a continuant. (axiom label in BFO2 Reference: [126-001]) + + + + + + if b is a continuant and if, for some t, cis continuant_part of b at t, then c is a continuant. (axiom label in BFO2 Reference: [009-002]) + + + + + + if b is a material entity, then there is some temporal interval (referred to below as a one-dimensional temporal region) during which b exists. (axiom label in BFO2 Reference: [011-002]) + + + + + + (forall (x y) (if (and (Continuant x) (exists (t) (continuantPartOfAt y x t))) (Continuant y))) // axiom label in BFO2 CLIF: [009-002] + + + + + + (forall (x y) (if (and (Continuant x) (exists (t) (hasContinuantPartOfAt y x t))) (Continuant y))) // axiom label in BFO2 CLIF: [126-001] + + + + + + + + + + occurrent + Occurrent + BFO 2 Reference: every occurrent that is not a temporal or spatiotemporal region is s-dependent on some independent continuant that is not a spatial region + BFO 2 Reference: s-dependence obtains between every process and its participants in the sense that, as a matter of necessity, this process could not have existed unless these or those participants existed also. A process may have a succession of participants at different phases of its unfolding. Thus there may be different players on the field at different times during the course of a football game; but the process which is the entire game s-depends_on all of these players nonetheless. Some temporal parts of this process will s-depend_on on only some of the players. + Occurrent doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. An example would be the sum of a process and the process boundary of another process. + Simons uses different terminology for relations of occurrents to regions: Denote the spatio-temporal location of a given occurrent e by 'spn[e]' and call this region its span. We may say an occurrent is at its span, in any larger region, and covers any smaller region. Now suppose we have fixed a frame of reference so that we can speak not merely of spatio-temporal but also of spatial regions (places) and temporal regions (times). The spread of an occurrent, (relative to a frame of reference) is the space it exactly occupies, and its spell is likewise the time it exactly occupies. We write 'spr[e]' and `spl[e]' respectively for the spread and spell of e, omitting mention of the frame. + An occurrent is an entity that unfolds itself in time or it is the instantaneous boundary of such an entity (for example a beginning or an ending) or it is a temporal or spatiotemporal region which such an entity occupies_temporal_region or occupies_spatiotemporal_region. (axiom label in BFO2 Reference: [077-002]) + Every occurrent occupies_spatiotemporal_region some spatiotemporal region. (axiom label in BFO2 Reference: [108-001]) + b is an occurrent entity iff b is an entity that has temporal parts. (axiom label in BFO2 Reference: [079-001]) + (forall (x) (if (Occurrent x) (exists (r) (and (SpatioTemporalRegion r) (occupiesSpatioTemporalRegion x r))))) // axiom label in BFO2 CLIF: [108-001] + (forall (x) (iff (Occurrent x) (and (Entity x) (exists (y) (temporalPartOf y x))))) // axiom label in BFO2 CLIF: [079-001] + + occurrent + + + + + Occurrent doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. An example would be the sum of a process and the process boundary of another process. + + per discussion with Barry Smith + + + + + Simons uses different terminology for relations of occurrents to regions: Denote the spatio-temporal location of a given occurrent e by 'spn[e]' and call this region its span. We may say an occurrent is at its span, in any larger region, and covers any smaller region. Now suppose we have fixed a frame of reference so that we can speak not merely of spatio-temporal but also of spatial regions (places) and temporal regions (times). The spread of an occurrent, (relative to a frame of reference) is the space it exactly occupies, and its spell is likewise the time it exactly occupies. We write 'spr[e]' and `spl[e]' respectively for the spread and spell of e, omitting mention of the frame. + + + + + + An occurrent is an entity that unfolds itself in time or it is the instantaneous boundary of such an entity (for example a beginning or an ending) or it is a temporal or spatiotemporal region which such an entity occupies_temporal_region or occupies_spatiotemporal_region. (axiom label in BFO2 Reference: [077-002]) + + + + + + Every occurrent occupies_spatiotemporal_region some spatiotemporal region. (axiom label in BFO2 Reference: [108-001]) + + + + + + b is an occurrent entity iff b is an entity that has temporal parts. (axiom label in BFO2 Reference: [079-001]) + + + + + + (forall (x) (if (Occurrent x) (exists (r) (and (SpatioTemporalRegion r) (occupiesSpatioTemporalRegion x r))))) // axiom label in BFO2 CLIF: [108-001] + + + + + + (forall (x) (iff (Occurrent x) (and (Entity x) (exists (y) (temporalPartOf y x))))) // axiom label in BFO2 CLIF: [079-001] + + + + + + + + + + + + ic + IndependentContinuant + a chair + a heart + a leg + a molecule + a spatial region + an atom + an orchestra. + an organism + the bottom right portion of a human torso + the interior of your mouth + b is an independent continuant = Def. b is a continuant which is such that there is no c and no t such that b s-depends_on c at t. (axiom label in BFO2 Reference: [017-002]) + For any independent continuant b and any time t there is some spatial region r such that b is located_in r at t. (axiom label in BFO2 Reference: [134-001]) + For every independent continuant b and time t during the region of time spanned by its life, there are entities which s-depends_on b during t. (axiom label in BFO2 Reference: [018-002]) + (forall (x t) (if (IndependentContinuant x) (exists (r) (and (SpatialRegion r) (locatedInAt x r t))))) // axiom label in BFO2 CLIF: [134-001] + (forall (x t) (if (and (IndependentContinuant x) (existsAt x t)) (exists (y) (and (Entity y) (specificallyDependsOnAt y x t))))) // axiom label in BFO2 CLIF: [018-002] + (iff (IndependentContinuant a) (and (Continuant a) (not (exists (b t) (specificallyDependsOnAt a b t))))) // axiom label in BFO2 CLIF: [017-002] + + independent continuant + + + + + b is an independent continuant = Def. b is a continuant which is such that there is no c and no t such that b s-depends_on c at t. (axiom label in BFO2 Reference: [017-002]) + + + + + + For any independent continuant b and any time t there is some spatial region r such that b is located_in r at t. (axiom label in BFO2 Reference: [134-001]) + + + + + + For every independent continuant b and time t during the region of time spanned by its life, there are entities which s-depends_on b during t. (axiom label in BFO2 Reference: [018-002]) + + + + + + (forall (x t) (if (IndependentContinuant x) (exists (r) (and (SpatialRegion r) (locatedInAt x r t))))) // axiom label in BFO2 CLIF: [134-001] + + + + + + (forall (x t) (if (and (IndependentContinuant x) (existsAt x t)) (exists (y) (and (Entity y) (specificallyDependsOnAt y x t))))) // axiom label in BFO2 CLIF: [018-002] + + + + + + (iff (IndependentContinuant a) (and (Continuant a) (not (exists (b t) (specificallyDependsOnAt a b t))))) // axiom label in BFO2 CLIF: [017-002] + + + + + + + + + + + + s-region + SpatialRegion + BFO 2 Reference: Spatial regions do not participate in processes. + Spatial region doesn't have a closure axiom because the subclasses don't exhaust all possibilites. An example would be the union of a spatial point and a spatial line that doesn't overlap the point, or two spatial lines that intersect at a single point. In both cases the resultant spatial region is neither 0-dimensional, 1-dimensional, 2-dimensional, or 3-dimensional. + A spatial region is a continuant entity that is a continuant_part_of spaceR as defined relative to some frame R. (axiom label in BFO2 Reference: [035-001]) + All continuant parts of spatial regions are spatial regions. (axiom label in BFO2 Reference: [036-001]) + (forall (x y t) (if (and (SpatialRegion x) (continuantPartOfAt y x t)) (SpatialRegion y))) // axiom label in BFO2 CLIF: [036-001] + (forall (x) (if (SpatialRegion x) (Continuant x))) // axiom label in BFO2 CLIF: [035-001] + + spatial region + + + + + Spatial region doesn't have a closure axiom because the subclasses don't exhaust all possibilites. An example would be the union of a spatial point and a spatial line that doesn't overlap the point, or two spatial lines that intersect at a single point. In both cases the resultant spatial region is neither 0-dimensional, 1-dimensional, 2-dimensional, or 3-dimensional. + + per discussion with Barry Smith + + + + + A spatial region is a continuant entity that is a continuant_part_of spaceR as defined relative to some frame R. (axiom label in BFO2 Reference: [035-001]) + + + + + + All continuant parts of spatial regions are spatial regions. (axiom label in BFO2 Reference: [036-001]) + + + + + + (forall (x y t) (if (and (SpatialRegion x) (continuantPartOfAt y x t)) (SpatialRegion y))) // axiom label in BFO2 CLIF: [036-001] + + + + + + (forall (x) (if (SpatialRegion x) (Continuant x))) // axiom label in BFO2 CLIF: [035-001] + + + + + + + + + + + + + t-region + TemporalRegion + Temporal region doesn't have a closure axiom because the subclasses don't exhaust all possibilites. An example would be the mereological sum of a temporal instant and a temporal interval that doesn't overlap the instant. In this case the resultant temporal region is neither 0-dimensional nor 1-dimensional + A temporal region is an occurrent entity that is part of time as defined relative to some reference frame. (axiom label in BFO2 Reference: [100-001]) + All parts of temporal regions are temporal regions. (axiom label in BFO2 Reference: [101-001]) + Every temporal region t is such that t occupies_temporal_region t. (axiom label in BFO2 Reference: [119-002]) + (forall (r) (if (TemporalRegion r) (occupiesTemporalRegion r r))) // axiom label in BFO2 CLIF: [119-002] + (forall (x y) (if (and (TemporalRegion x) (occurrentPartOf y x)) (TemporalRegion y))) // axiom label in BFO2 CLIF: [101-001] + (forall (x) (if (TemporalRegion x) (Occurrent x))) // axiom label in BFO2 CLIF: [100-001] + + temporal region + + + + + Temporal region doesn't have a closure axiom because the subclasses don't exhaust all possibilites. An example would be the mereological sum of a temporal instant and a temporal interval that doesn't overlap the instant. In this case the resultant temporal region is neither 0-dimensional nor 1-dimensional + + per discussion with Barry Smith + + + + + A temporal region is an occurrent entity that is part of time as defined relative to some reference frame. (axiom label in BFO2 Reference: [100-001]) + + + + + + All parts of temporal regions are temporal regions. (axiom label in BFO2 Reference: [101-001]) + + + + + + Every temporal region t is such that t occupies_temporal_region t. (axiom label in BFO2 Reference: [119-002]) + + + + + + (forall (r) (if (TemporalRegion r) (occupiesTemporalRegion r r))) // axiom label in BFO2 CLIF: [119-002] + + + + + + (forall (x y) (if (and (TemporalRegion x) (occurrentPartOf y x)) (TemporalRegion y))) // axiom label in BFO2 CLIF: [101-001] + + + + + + (forall (x) (if (TemporalRegion x) (Occurrent x))) // axiom label in BFO2 CLIF: [100-001] + + + + + + + + + + + 2d-s-region + TwoDimensionalSpatialRegion + an infinitely thin plane in space. + the surface of a sphere-shaped part of space + A two-dimensional spatial region is a spatial region that is of two dimensions. (axiom label in BFO2 Reference: [039-001]) + (forall (x) (if (TwoDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [039-001] + + two-dimensional spatial region + + + + + A two-dimensional spatial region is a spatial region that is of two dimensions. (axiom label in BFO2 Reference: [039-001]) + + + + + + (forall (x) (if (TwoDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [039-001] + + + + + + + + + + st-region + SpatiotemporalRegion + the spatiotemporal region occupied by a human life + the spatiotemporal region occupied by a process of cellular meiosis. + the spatiotemporal region occupied by the development of a cancer tumor + A spatiotemporal region is an occurrent entity that is part of spacetime. (axiom label in BFO2 Reference: [095-001]) + All parts of spatiotemporal regions are spatiotemporal regions. (axiom label in BFO2 Reference: [096-001]) + Each spatiotemporal region at any time t projects_onto some spatial region at t. (axiom label in BFO2 Reference: [099-001]) + Each spatiotemporal region projects_onto some temporal region. (axiom label in BFO2 Reference: [098-001]) + Every spatiotemporal region occupies_spatiotemporal_region itself. + Every spatiotemporal region s is such that s occupies_spatiotemporal_region s. (axiom label in BFO2 Reference: [107-002]) + (forall (r) (if (SpatioTemporalRegion r) (occupiesSpatioTemporalRegion r r))) // axiom label in BFO2 CLIF: [107-002] + (forall (x t) (if (SpatioTemporalRegion x) (exists (y) (and (SpatialRegion y) (spatiallyProjectsOntoAt x y t))))) // axiom label in BFO2 CLIF: [099-001] + (forall (x y) (if (and (SpatioTemporalRegion x) (occurrentPartOf y x)) (SpatioTemporalRegion y))) // axiom label in BFO2 CLIF: [096-001] + (forall (x) (if (SpatioTemporalRegion x) (Occurrent x))) // axiom label in BFO2 CLIF: [095-001] + (forall (x) (if (SpatioTemporalRegion x) (exists (y) (and (TemporalRegion y) (temporallyProjectsOnto x y))))) // axiom label in BFO2 CLIF: [098-001] + + spatiotemporal region + + + + + A spatiotemporal region is an occurrent entity that is part of spacetime. (axiom label in BFO2 Reference: [095-001]) + + + + + + All parts of spatiotemporal regions are spatiotemporal regions. (axiom label in BFO2 Reference: [096-001]) + + + + + + Each spatiotemporal region at any time t projects_onto some spatial region at t. (axiom label in BFO2 Reference: [099-001]) + + + + + + Each spatiotemporal region projects_onto some temporal region. (axiom label in BFO2 Reference: [098-001]) + + + + + + Every spatiotemporal region s is such that s occupies_spatiotemporal_region s. (axiom label in BFO2 Reference: [107-002]) + + + + + + (forall (r) (if (SpatioTemporalRegion r) (occupiesSpatioTemporalRegion r r))) // axiom label in BFO2 CLIF: [107-002] + + + + + + (forall (x t) (if (SpatioTemporalRegion x) (exists (y) (and (SpatialRegion y) (spatiallyProjectsOntoAt x y t))))) // axiom label in BFO2 CLIF: [099-001] + + + + + + (forall (x y) (if (and (SpatioTemporalRegion x) (occurrentPartOf y x)) (SpatioTemporalRegion y))) // axiom label in BFO2 CLIF: [096-001] + + + + + + (forall (x) (if (SpatioTemporalRegion x) (Occurrent x))) // axiom label in BFO2 CLIF: [095-001] + + + + + + (forall (x) (if (SpatioTemporalRegion x) (exists (y) (and (TemporalRegion y) (temporallyProjectsOnto x y))))) // axiom label in BFO2 CLIF: [098-001] + + + + + + + + + + process + Process + a process of cell-division, \ a beating of the heart + a process of meiosis + a process of sleeping + the course of a disease + the flight of a bird + the life of an organism + your process of aging. + p is a process = Def. p is an occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. (axiom label in BFO2 Reference: [083-003]) + BFO 2 Reference: The realm of occurrents is less pervasively marked by the presence of natural units than is the case in the realm of independent continuants. Thus there is here no counterpart of ‘object’. In BFO 1.0 ‘process’ served as such a counterpart. In BFO 2.0 ‘process’ is, rather, the occurrent counterpart of ‘material entity’. Those natural – as contrasted with engineered, which here means: deliberately executed – units which do exist in the realm of occurrents are typically either parasitic on the existence of natural units on the continuant side, or they are fiat in nature. Thus we can count lives; we can count football games; we can count chemical reactions performed in experiments or in chemical manufacturing. We cannot count the processes taking place, for instance, in an episode of insect mating behavior.Even where natural units are identifiable, for example cycles in a cyclical process such as the beating of a heart or an organism’s sleep/wake cycle, the processes in question form a sequence with no discontinuities (temporal gaps) of the sort that we find for instance where billiard balls or zebrafish or planets are separated by clear spatial gaps. Lives of organisms are process units, but they too unfold in a continuous series from other, prior processes such as fertilization, and they unfold in turn in continuous series of post-life processes such as post-mortem decay. Clear examples of boundaries of processes are almost always of the fiat sort (midnight, a time of death as declared in an operating theater or on a death certificate, the initiation of a state of war) + (iff (Process a) (and (Occurrent a) (exists (b) (properTemporalPartOf b a)) (exists (c t) (and (MaterialEntity c) (specificallyDependsOnAt a c t))))) // axiom label in BFO2 CLIF: [083-003] + + process + + + + + p is a process = Def. p is an occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. (axiom label in BFO2 Reference: [083-003]) + + + + + + (iff (Process a) (and (Occurrent a) (exists (b) (properTemporalPartOf b a)) (exists (c t) (and (MaterialEntity c) (specificallyDependsOnAt a c t))))) // axiom label in BFO2 CLIF: [083-003] + + + + + + + + + + + disposition + Disposition + an atom of element X has the disposition to decay to an atom of element Y + certain people have a predisposition to colon cancer + children are innately disposed to categorize objects in certain ways. + the cell wall is disposed to filter chemicals in endocytosis and exocytosis + BFO 2 Reference: Dispositions exist along a strength continuum. Weaker forms of disposition are realized in only a fraction of triggering cases. These forms occur in a significant number of cases of a similar type. + b is a disposition means: b is a realizable entity & b’s bearer is some material entity & b is such that if it ceases to exist, then its bearer is physically changed, & b’s realization occurs when and because this bearer is in some special physical circumstances, & this realization occurs in virtue of the bearer’s physical make-up. (axiom label in BFO2 Reference: [062-002]) + If b is a realizable entity then for all t at which b exists, b s-depends_on some material entity at t. (axiom label in BFO2 Reference: [063-002]) + (forall (x t) (if (and (RealizableEntity x) (existsAt x t)) (exists (y) (and (MaterialEntity y) (specificallyDepends x y t))))) // axiom label in BFO2 CLIF: [063-002] + (forall (x) (if (Disposition x) (and (RealizableEntity x) (exists (y) (and (MaterialEntity y) (bearerOfAt x y t)))))) // axiom label in BFO2 CLIF: [062-002] + + disposition + + + + + b is a disposition means: b is a realizable entity & b’s bearer is some material entity & b is such that if it ceases to exist, then its bearer is physically changed, & b’s realization occurs when and because this bearer is in some special physical circumstances, & this realization occurs in virtue of the bearer’s physical make-up. (axiom label in BFO2 Reference: [062-002]) + + + + + + If b is a realizable entity then for all t at which b exists, b s-depends_on some material entity at t. (axiom label in BFO2 Reference: [063-002]) + + + + + + (forall (x t) (if (and (RealizableEntity x) (existsAt x t)) (exists (y) (and (MaterialEntity y) (specificallyDepends x y t))))) // axiom label in BFO2 CLIF: [063-002] + + + + + + (forall (x) (if (Disposition x) (and (RealizableEntity x) (exists (y) (and (MaterialEntity y) (bearerOfAt x y t)))))) // axiom label in BFO2 CLIF: [062-002] + + + + + + + + + + + realizable + RealizableEntity + the disposition of this piece of metal to conduct electricity. + the disposition of your blood to coagulate + the function of your reproductive organs + the role of being a doctor + the role of this boundary to delineate where Utah and Colorado meet + To say that b is a realizable entity is to say that b is a specifically dependent continuant that inheres in some independent continuant which is not a spatial region and is of a type instances of which are realized in processes of a correlated type. (axiom label in BFO2 Reference: [058-002]) + All realizable dependent continuants have independent continuants that are not spatial regions as their bearers. (axiom label in BFO2 Reference: [060-002]) + (forall (x t) (if (RealizableEntity x) (exists (y) (and (IndependentContinuant y) (not (SpatialRegion y)) (bearerOfAt y x t))))) // axiom label in BFO2 CLIF: [060-002] + (forall (x) (if (RealizableEntity x) (and (SpecificallyDependentContinuant x) (exists (y) (and (IndependentContinuant y) (not (SpatialRegion y)) (inheresIn x y)))))) // axiom label in BFO2 CLIF: [058-002] + + realizable entity + + + + + To say that b is a realizable entity is to say that b is a specifically dependent continuant that inheres in some independent continuant which is not a spatial region and is of a type instances of which are realized in processes of a correlated type. (axiom label in BFO2 Reference: [058-002]) + + + + + + All realizable dependent continuants have independent continuants that are not spatial regions as their bearers. (axiom label in BFO2 Reference: [060-002]) + + + + + + (forall (x t) (if (RealizableEntity x) (exists (y) (and (IndependentContinuant y) (not (SpatialRegion y)) (bearerOfAt y x t))))) // axiom label in BFO2 CLIF: [060-002] + + + + + + (forall (x) (if (RealizableEntity x) (and (SpecificallyDependentContinuant x) (exists (y) (and (IndependentContinuant y) (not (SpatialRegion y)) (inheresIn x y)))))) // axiom label in BFO2 CLIF: [058-002] + + + + + + + + + + + 0d-s-region + ZeroDimensionalSpatialRegion + A zero-dimensional spatial region is a point in space. (axiom label in BFO2 Reference: [037-001]) + (forall (x) (if (ZeroDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [037-001] + + zero-dimensional spatial region + + + + + A zero-dimensional spatial region is a point in space. (axiom label in BFO2 Reference: [037-001]) + + + + + + (forall (x) (if (ZeroDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [037-001] + + + + + + + + + + quality + Quality + the ambient temperature of this portion of air + the color of a tomato + the length of the circumference of your waist + the mass of this piece of gold. + the shape of your nose + the shape of your nostril + a quality is a specifically dependent continuant that, in contrast to roles and dispositions, does not require any further process in order to be realized. (axiom label in BFO2 Reference: [055-001]) + If an entity is a quality at any time that it exists, then it is a quality at every time that it exists. (axiom label in BFO2 Reference: [105-001]) + (forall (x) (if (Quality x) (SpecificallyDependentContinuant x))) // axiom label in BFO2 CLIF: [055-001] + (forall (x) (if (exists (t) (and (existsAt x t) (Quality x))) (forall (t_1) (if (existsAt x t_1) (Quality x))))) // axiom label in BFO2 CLIF: [105-001] + + quality + + + + + a quality is a specifically dependent continuant that, in contrast to roles and dispositions, does not require any further process in order to be realized. (axiom label in BFO2 Reference: [055-001]) + + + + + + If an entity is a quality at any time that it exists, then it is a quality at every time that it exists. (axiom label in BFO2 Reference: [105-001]) + + + + + + (forall (x) (if (Quality x) (SpecificallyDependentContinuant x))) // axiom label in BFO2 CLIF: [055-001] + + + + + + (forall (x) (if (exists (t) (and (existsAt x t) (Quality x))) (forall (t_1) (if (existsAt x t_1) (Quality x))))) // axiom label in BFO2 CLIF: [105-001] + + + + + + + + + + + sdc + SpecificallyDependentContinuant + Reciprocal specifically dependent continuants: the function of this key to open this lock and the mutually dependent disposition of this lock: to be opened by this key + of one-sided specifically dependent continuants: the mass of this tomato + of relational dependent continuants (multiple bearers): John’s love for Mary, the ownership relation between John and this statue, the relation of authority between John and his subordinates. + the disposition of this fish to decay + the function of this heart: to pump blood + the mutual dependence of proton donors and acceptors in chemical reactions [79 + the mutual dependence of the role predator and the role prey as played by two organisms in a given interaction + the pink color of a medium rare piece of grilled filet mignon at its center + the role of being a doctor + the shape of this hole. + the smell of this portion of mozzarella + b is a specifically dependent continuant = Def. b is a continuant & there is some independent continuant c which is not a spatial region and which is such that b s-depends_on c at every time t during the course of b’s existence. (axiom label in BFO2 Reference: [050-003]) + Specifically dependent continuant doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. We're not sure what else will develop here, but for example there are questions such as what are promises, obligation, etc. + (iff (SpecificallyDependentContinuant a) (and (Continuant a) (forall (t) (if (existsAt a t) (exists (b) (and (IndependentContinuant b) (not (SpatialRegion b)) (specificallyDependsOnAt a b t))))))) // axiom label in BFO2 CLIF: [050-003] + + specifically dependent continuant + + + + + b is a specifically dependent continuant = Def. b is a continuant & there is some independent continuant c which is not a spatial region and which is such that b s-depends_on c at every time t during the course of b’s existence. (axiom label in BFO2 Reference: [050-003]) + + + + + + Specifically dependent continuant doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. We're not sure what else will develop here, but for example there are questions such as what are promises, obligation, etc. + + per discussion with Barry Smith + + + + + (iff (SpecificallyDependentContinuant a) (and (Continuant a) (forall (t) (if (existsAt a t) (exists (b) (and (IndependentContinuant b) (not (SpatialRegion b)) (specificallyDependsOnAt a b t))))))) // axiom label in BFO2 CLIF: [050-003] + + + + + + + + + + role + Role + John’s role of husband to Mary is dependent on Mary’s role of wife to John, and both are dependent on the object aggregate comprising John and Mary as member parts joined together through the relational quality of being married. + the priest role + the role of a boundary to demarcate two neighboring administrative territories + the role of a building in serving as a military target + the role of a stone in marking a property boundary + the role of subject in a clinical trial + the student role + BFO 2 Reference: One major family of examples of non-rigid universals involves roles, and ontologies developed for corresponding administrative purposes may consist entirely of representatives of entities of this sort. Thus ‘professor’, defined as follows,b instance_of professor at t =Def. there is some c, c instance_of professor role & c inheres_in b at t.denotes a non-rigid universal and so also do ‘nurse’, ‘student’, ‘colonel’, ‘taxpayer’, and so forth. (These terms are all, in the jargon of philosophy, phase sortals.) By using role terms in definitions, we can create a BFO conformant treatment of such entities drawing on the fact that, while an instance of professor may be simultaneously an instance of trade union member, no instance of the type professor role is also (at any time) an instance of the type trade union member role (any more than any instance of the type color is at any time an instance of the type length).If an ontology of employment positions should be defined in terms of roles following the above pattern, this enables the ontology to do justice to the fact that individuals instantiate the corresponding universals – professor, sergeant, nurse – only during certain phases in their lives. + b is a role means: b is a realizable entity & b exists because there is some single bearer that is in some special physical, social, or institutional set of circumstances in which this bearer does not have to be& b is not such that, if it ceases to exist, then the physical make-up of the bearer is thereby changed. (axiom label in BFO2 Reference: [061-001]) + (forall (x) (if (Role x) (RealizableEntity x))) // axiom label in BFO2 CLIF: [061-001] + + role + + + + + b is a role means: b is a realizable entity & b exists because there is some single bearer that is in some special physical, social, or institutional set of circumstances in which this bearer does not have to be& b is not such that, if it ceases to exist, then the physical make-up of the bearer is thereby changed. (axiom label in BFO2 Reference: [061-001]) + + + + + + (forall (x) (if (Role x) (RealizableEntity x))) // axiom label in BFO2 CLIF: [061-001] + + + + + + + + + + fiat-object-part + FiatObjectPart + or with divisions drawn by cognitive subjects for practical reasons, such as the division of a cake (before slicing) into (what will become) slices (and thus member parts of an object aggregate). However, this does not mean that fiat object parts are dependent for their existence on divisions or delineations effected by cognitive subjects. If, for example, it is correct to conceive geological layers of the Earth as fiat object parts of the Earth, then even though these layers were first delineated in recent times, still existed long before such delineation and what holds of these layers (for example that the oldest layers are also the lowest layers) did not begin to hold because of our acts of delineation.Treatment of material entity in BFOExamples viewed by some as problematic cases for the trichotomy of fiat object part, object, and object aggregate include: a mussel on (and attached to) a rock, a slime mold, a pizza, a cloud, a galaxy, a railway train with engine and multiple carriages, a clonal stand of quaking aspen, a bacterial community (biofilm), a broken femur. Note that, as Aristotle already clearly recognized, such problematic cases – which lie at or near the penumbra of instances defined by the categories in question – need not invalidate these categories. The existence of grey objects does not prove that there are not objects which are black and objects which are white; the existence of mules does not prove that there are not objects which are donkeys and objects which are horses. It does, however, show that the examples in question need to be addressed carefully in order to show how they can be fitted into the proposed scheme, for example by recognizing additional subdivisions [29 + the FMA:regional parts of an intact human body. + the Western hemisphere of the Earth + the division of the brain into regions + the division of the planet into hemispheres + the dorsal and ventral surfaces of the body + the upper and lower lobes of the left lung + BFO 2 Reference: Most examples of fiat object parts are associated with theoretically drawn divisions + b is a fiat object part = Def. b is a material entity which is such that for all times t, if b exists at t then there is some object c such that b proper continuant_part of c at t and c is demarcated from the remainder of c by a two-dimensional continuant fiat boundary. (axiom label in BFO2 Reference: [027-004]) + (forall (x) (if (FiatObjectPart x) (and (MaterialEntity x) (forall (t) (if (existsAt x t) (exists (y) (and (Object y) (properContinuantPartOfAt x y t)))))))) // axiom label in BFO2 CLIF: [027-004] + + fiat object part + + + + + b is a fiat object part = Def. b is a material entity which is such that for all times t, if b exists at t then there is some object c such that b proper continuant_part of c at t and c is demarcated from the remainder of c by a two-dimensional continuant fiat boundary. (axiom label in BFO2 Reference: [027-004]) + + + + + + (forall (x) (if (FiatObjectPart x) (and (MaterialEntity x) (forall (t) (if (existsAt x t) (exists (y) (and (Object y) (properContinuantPartOfAt x y t)))))))) // axiom label in BFO2 CLIF: [027-004] + + + + + + + + + + + 1d-s-region + OneDimensionalSpatialRegion + an edge of a cube-shaped portion of space. + A one-dimensional spatial region is a line or aggregate of lines stretching from one point in space to another. (axiom label in BFO2 Reference: [038-001]) + (forall (x) (if (OneDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [038-001] + + one-dimensional spatial region + + + + + A one-dimensional spatial region is a line or aggregate of lines stretching from one point in space to another. (axiom label in BFO2 Reference: [038-001]) + + + + + + (forall (x) (if (OneDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [038-001] + + + + + + + + + + object-aggregate + ObjectAggregate + a collection of cells in a blood biobank. + a swarm of bees is an aggregate of members who are linked together through natural bonds + a symphony orchestra + an organization is an aggregate whose member parts have roles of specific types (for example in a jazz band, a chess club, a football team) + defined by fiat: the aggregate of members of an organization + defined through physical attachment: the aggregate of atoms in a lump of granite + defined through physical containment: the aggregate of molecules of carbon dioxide in a sealed container + defined via attributive delimitations such as: the patients in this hospital + the aggregate of bearings in a constant velocity axle joint + the aggregate of blood cells in your body + the nitrogen atoms in the atmosphere + the restaurants in Palo Alto + your collection of Meissen ceramic plates. + An entity a is an object aggregate if and only if there is a mutually exhaustive and pairwise disjoint partition of a into objects + BFO 2 Reference: object aggregates may gain and lose parts while remaining numerically identical (one and the same individual) over time. This holds both for aggregates whose membership is determined naturally (the aggregate of cells in your body) and aggregates determined by fiat (a baseball team, a congressional committee). + ISBN:978-3-938793-98-5pp124-158#Thomas Bittner and Barry Smith, 'A Theory of Granular Partitions', in K. Munn and B. Smith (eds.), Applied Ontology: An Introduction, Frankfurt/Lancaster: ontos, 2008, 125-158. + b is an object aggregate means: b is a material entity consisting exactly of a plurality of objects as member_parts at all times at which b exists. (axiom label in BFO2 Reference: [025-004]) + (forall (x) (if (ObjectAggregate x) (and (MaterialEntity x) (forall (t) (if (existsAt x t) (exists (y z) (and (Object y) (Object z) (memberPartOfAt y x t) (memberPartOfAt z x t) (not (= y z)))))) (not (exists (w t_1) (and (memberPartOfAt w x t_1) (not (Object w)))))))) // axiom label in BFO2 CLIF: [025-004] + + object aggregate + + + + + An entity a is an object aggregate if and only if there is a mutually exhaustive and pairwise disjoint partition of a into objects + + + + + + An entity a is an object aggregate if and only if there is a mutually exhaustive and pairwise disjoint partition of a into objects + + + + + + ISBN:978-3-938793-98-5pp124-158#Thomas Bittner and Barry Smith, 'A Theory of Granular Partitions', in K. Munn and B. Smith (eds.), Applied Ontology: An Introduction, Frankfurt/Lancaster: ontos, 2008, 125-158. + + + + + + b is an object aggregate means: b is a material entity consisting exactly of a plurality of objects as member_parts at all times at which b exists. (axiom label in BFO2 Reference: [025-004]) + + + + + + (forall (x) (if (ObjectAggregate x) (and (MaterialEntity x) (forall (t) (if (existsAt x t) (exists (y z) (and (Object y) (Object z) (memberPartOfAt y x t) (memberPartOfAt z x t) (not (= y z)))))) (not (exists (w t_1) (and (memberPartOfAt w x t_1) (not (Object w)))))))) // axiom label in BFO2 CLIF: [025-004] + + + + + + + + + + 3d-s-region + ThreeDimensionalSpatialRegion + a cube-shaped region of space + a sphere-shaped region of space, + A three-dimensional spatial region is a spatial region that is of three dimensions. (axiom label in BFO2 Reference: [040-001]) + (forall (x) (if (ThreeDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [040-001] + + three-dimensional spatial region + + + + + A three-dimensional spatial region is a spatial region that is of three dimensions. (axiom label in BFO2 Reference: [040-001]) + + + + + + (forall (x) (if (ThreeDimensionalSpatialRegion x) (SpatialRegion x))) // axiom label in BFO2 CLIF: [040-001] + + + + + + + + + + site + Site + Manhattan Canyon) + a hole in the interior of a portion of cheese + a rabbit hole + an air traffic control region defined in the airspace above an airport + the Grand Canyon + the Piazza San Marco + the cockpit of an aircraft + the hold of a ship + the interior of a kangaroo pouch + the interior of the trunk of your car + the interior of your bedroom + the interior of your office + the interior of your refrigerator + the lumen of your gut + your left nostril (a fiat part – the opening – of your left nasal cavity) + b is a site means: b is a three-dimensional immaterial entity that is (partially or wholly) bounded by a material entity or it is a three-dimensional immaterial part thereof. (axiom label in BFO2 Reference: [034-002]) + (forall (x) (if (Site x) (ImmaterialEntity x))) // axiom label in BFO2 CLIF: [034-002] + + site + + + + + b is a site means: b is a three-dimensional immaterial entity that is (partially or wholly) bounded by a material entity or it is a three-dimensional immaterial part thereof. (axiom label in BFO2 Reference: [034-002]) + + + + + + (forall (x) (if (Site x) (ImmaterialEntity x))) // axiom label in BFO2 CLIF: [034-002] + + + + + + + + + + object + Object + atom + cell + cells and organisms + engineered artifacts + grain of sand + molecule + organelle + organism + planet + solid portions of matter + star + BFO 2 Reference: BFO rests on the presupposition that at multiple micro-, meso- and macroscopic scales reality exhibits certain stable, spatially separated or separable material units, combined or combinable into aggregates of various sorts (for example organisms into what are called ‘populations’). Such units play a central role in almost all domains of natural science from particle physics to cosmology. Many scientific laws govern the units in question, employing general terms (such as ‘molecule’ or ‘planet’) referring to the types and subtypes of units, and also to the types and subtypes of the processes through which such units develop and interact. The division of reality into such natural units is at the heart of biological science, as also is the fact that these units may form higher-level units (as cells form multicellular organisms) and that they may also form aggregates of units, for example as cells form portions of tissue and organs form families, herds, breeds, species, and so on. At the same time, the division of certain portions of reality into engineered units (manufactured artifacts) is the basis of modern industrial technology, which rests on the distributed mass production of engineered parts through division of labor and on their assembly into larger, compound units such as cars and laptops. The division of portions of reality into units is one starting point for the phenomenon of counting. + BFO 2 Reference: Each object is such that there are entities of which we can assert unproblematically that they lie in its interior, and other entities of which we can assert unproblematically that they lie in its exterior. This may not be so for entities lying at or near the boundary between the interior and exterior. This means that two objects – for example the two cells depicted in Figure 3 – may be such that there are material entities crossing their boundaries which belong determinately to neither cell. Something similar obtains in certain cases of conjoined twins (see below). + BFO 2 Reference: To say that b is causally unified means: b is a material entity which is such that its material parts are tied together in such a way that, in environments typical for entities of the type in question,if c, a continuant part of b that is in the interior of b at t, is larger than a certain threshold size (which will be determined differently from case to case, depending on factors such as porosity of external cover) and is moved in space to be at t at a location on the exterior of the spatial region that had been occupied by b at t, then either b’s other parts will be moved in coordinated fashion or b will be damaged (be affected, for example, by breakage or tearing) in the interval between t and t.causal changes in one part of b can have consequences for other parts of b without the mediation of any entity that lies on the exterior of b. Material entities with no proper material parts would satisfy these conditions trivially. Candidate examples of types of causal unity for material entities of more complex sorts are as follows (this is not intended to be an exhaustive list):CU1: Causal unity via physical coveringHere the parts in the interior of the unified entity are combined together causally through a common membrane or other physical covering\. The latter points outwards toward and may serve a protective function in relation to what lies on the exterior of the entity [13, 47 + BFO 2 Reference: an object is a maximal causally unified material entity + BFO 2 Reference: ‘objects’ are sometimes referred to as ‘grains’ [74 + b is an object means: b is a material entity which manifests causal unity of one or other of the types CUn listed above & is of a type (a material universal) instances of which are maximal relative to this criterion of causal unity. (axiom label in BFO2 Reference: [024-001]) + + object + + + + + b is an object means: b is a material entity which manifests causal unity of one or other of the types CUn listed above & is of a type (a material universal) instances of which are maximal relative to this criterion of causal unity. (axiom label in BFO2 Reference: [024-001]) + + + + + + + + + + gdc + GenericallyDependentContinuant + The entries in your database are patterns instantiated as quality instances in your hard drive. The database itself is an aggregate of such patterns. When you create the database you create a particular instance of the generically dependent continuant type database. Each entry in the database is an instance of the generically dependent continuant type IAO: information content entity. + the pdf file on your laptop, the pdf file that is a copy thereof on my laptop + the sequence of this protein molecule; the sequence that is a copy thereof in that protein molecule. + b is a generically dependent continuant = Def. b is a continuant that g-depends_on one or more other entities. (axiom label in BFO2 Reference: [074-001]) + (iff (GenericallyDependentContinuant a) (and (Continuant a) (exists (b t) (genericallyDependsOnAt a b t)))) // axiom label in BFO2 CLIF: [074-001] + + generically dependent continuant + + + + + b is a generically dependent continuant = Def. b is a continuant that g-depends_on one or more other entities. (axiom label in BFO2 Reference: [074-001]) + + + + + + (iff (GenericallyDependentContinuant a) (and (Continuant a) (exists (b t) (genericallyDependsOnAt a b t)))) // axiom label in BFO2 CLIF: [074-001] + + + + + + + + + + function + Function + the function of a hammer to drive in nails + the function of a heart pacemaker to regulate the beating of a heart through electricity + the function of amylase in saliva to break down starch into sugar + BFO 2 Reference: In the past, we have distinguished two varieties of function, artifactual function and biological function. These are not asserted subtypes of BFO:function however, since the same function – for example: to pump, to transport – can exist both in artifacts and in biological entities. The asserted subtypes of function that would be needed in order to yield a separate monoheirarchy are not artifactual function, biological function, etc., but rather transporting function, pumping function, etc. + A function is a disposition that exists in virtue of the bearer’s physical make-up and this physical make-up is something the bearer possesses because it came into being, either through evolution (in the case of natural biological entities) or through intentional design (in the case of artifacts), in order to realize processes of a certain sort. (axiom label in BFO2 Reference: [064-001]) + (forall (x) (if (Function x) (Disposition x))) // axiom label in BFO2 CLIF: [064-001] + + function + + + + + A function is a disposition that exists in virtue of the bearer’s physical make-up and this physical make-up is something the bearer possesses because it came into being, either through evolution (in the case of natural biological entities) or through intentional design (in the case of artifacts), in order to realize processes of a certain sort. (axiom label in BFO2 Reference: [064-001]) + + + + + + (forall (x) (if (Function x) (Disposition x))) // axiom label in BFO2 CLIF: [064-001] + + + + + + + + + + p-boundary + ProcessBoundary + the boundary between the 2nd and 3rd year of your life. + p is a process boundary =Def. p is a temporal part of a process & p has no proper temporal parts. (axiom label in BFO2 Reference: [084-001]) + Every process boundary occupies_temporal_region a zero-dimensional temporal region. (axiom label in BFO2 Reference: [085-002]) + (forall (x) (if (ProcessBoundary x) (exists (y) (and (ZeroDimensionalTemporalRegion y) (occupiesTemporalRegion x y))))) // axiom label in BFO2 CLIF: [085-002] + (iff (ProcessBoundary a) (exists (p) (and (Process p) (temporalPartOf a p) (not (exists (b) (properTemporalPartOf b a)))))) // axiom label in BFO2 CLIF: [084-001] + + process boundary + + + + + p is a process boundary =Def. p is a temporal part of a process & p has no proper temporal parts. (axiom label in BFO2 Reference: [084-001]) + + + + + + Every process boundary occupies_temporal_region a zero-dimensional temporal region. (axiom label in BFO2 Reference: [085-002]) + + + + + + (forall (x) (if (ProcessBoundary x) (exists (y) (and (ZeroDimensionalTemporalRegion y) (occupiesTemporalRegion x y))))) // axiom label in BFO2 CLIF: [085-002] + + + + + + (iff (ProcessBoundary a) (exists (p) (and (Process p) (temporalPartOf a p) (not (exists (b) (properTemporalPartOf b a)))))) // axiom label in BFO2 CLIF: [084-001] + + + + + + + + + + + 1d-t-region + OneDimensionalTemporalRegion + the temporal region during which a process occurs. + BFO 2 Reference: A temporal interval is a special kind of one-dimensional temporal region, namely one that is self-connected (is without gaps or breaks). + A one-dimensional temporal region is a temporal region that is extended. (axiom label in BFO2 Reference: [103-001]) + (forall (x) (if (OneDimensionalTemporalRegion x) (TemporalRegion x))) // axiom label in BFO2 CLIF: [103-001] + + one-dimensional temporal region + + + + + A one-dimensional temporal region is a temporal region that is extended. (axiom label in BFO2 Reference: [103-001]) + + + + + + (forall (x) (if (OneDimensionalTemporalRegion x) (TemporalRegion x))) // axiom label in BFO2 CLIF: [103-001] + + + + + + + + + + + material + MaterialEntity + a flame + a forest fire + a human being + a hurricane + a photon + a puff of smoke + a sea wave + a tornado + an aggregate of human beings. + an energy wave + an epidemic + the undetached arm of a human being + BFO 2 Reference: Material entities (continuants) can preserve their identity even while gaining and losing material parts. Continuants are contrasted with occurrents, which unfold themselves in successive temporal parts or phases [60 + BFO 2 Reference: Object, Fiat Object Part and Object Aggregate are not intended to be exhaustive of Material Entity. Users are invited to propose new subcategories of Material Entity. + BFO 2 Reference: ‘Matter’ is intended to encompass both mass and energy (we will address the ontological treatment of portions of energy in a later version of BFO). A portion of matter is anything that includes elementary particles among its proper or improper parts: quarks and leptons, including electrons, as the smallest particles thus far discovered; baryons (including protons and neutrons) at a higher level of granularity; atoms and molecules at still higher levels, forming the cells, organs, organisms and other material entities studied by biologists, the portions of rock studied by geologists, the fossils studied by paleontologists, and so on.Material entities are three-dimensional entities (entities extended in three spatial dimensions), as contrasted with the processes in which they participate, which are four-dimensional entities (entities extended also along the dimension of time).According to the FMA, material entities may have immaterial entities as parts – including the entities identified below as sites; for example the interior (or ‘lumen’) of your small intestine is a part of your body. BFO 2.0 embodies a decision to follow the FMA here. + A material entity is an independent continuant that has some portion of matter as proper or improper continuant part. (axiom label in BFO2 Reference: [019-002]) + Every entity which has a material entity as continuant part is a material entity. (axiom label in BFO2 Reference: [020-002]) + every entity of which a material entity is continuant part is also a material entity. (axiom label in BFO2 Reference: [021-002]) + (forall (x) (if (MaterialEntity x) (IndependentContinuant x))) // axiom label in BFO2 CLIF: [019-002] + (forall (x) (if (and (Entity x) (exists (y t) (and (MaterialEntity y) (continuantPartOfAt x y t)))) (MaterialEntity x))) // axiom label in BFO2 CLIF: [021-002] + (forall (x) (if (and (Entity x) (exists (y t) (and (MaterialEntity y) (continuantPartOfAt y x t)))) (MaterialEntity x))) // axiom label in BFO2 CLIF: [020-002] + + material entity + + + + + A material entity is an independent continuant that has some portion of matter as proper or improper continuant part. (axiom label in BFO2 Reference: [019-002]) + + + + + + Every entity which has a material entity as continuant part is a material entity. (axiom label in BFO2 Reference: [020-002]) + + + + + + every entity of which a material entity is continuant part is also a material entity. (axiom label in BFO2 Reference: [021-002]) + + + + + + (forall (x) (if (MaterialEntity x) (IndependentContinuant x))) // axiom label in BFO2 CLIF: [019-002] + + + + + + (forall (x) (if (and (Entity x) (exists (y t) (and (MaterialEntity y) (continuantPartOfAt x y t)))) (MaterialEntity x))) // axiom label in BFO2 CLIF: [021-002] + + + + + + (forall (x) (if (and (Entity x) (exists (y t) (and (MaterialEntity y) (continuantPartOfAt y x t)))) (MaterialEntity x))) // axiom label in BFO2 CLIF: [020-002] + + + + + + + + + + cf-boundary + ContinuantFiatBoundary + b is a continuant fiat boundary = Def. b is an immaterial entity that is of zero, one or two dimensions and does not include a spatial region as part. (axiom label in BFO2 Reference: [029-001]) + BFO 2 Reference: In BFO 1.1 the assumption was made that the external surface of a material entity such as a cell could be treated as if it were a boundary in the mathematical sense. The new document propounds the view that when we talk about external surfaces of material objects in this way then we are talking about something fiat. To be dealt with in a future version: fiat boundaries at different levels of granularity.More generally, the focus in discussion of boundaries in BFO 2.0 is now on fiat boundaries, which means: boundaries for which there is no assumption that they coincide with physical discontinuities. The ontology of boundaries becomes more closely allied with the ontology of regions. + BFO 2 Reference: a continuant fiat boundary is a boundary of some material entity (for example: the plane separating the Northern and Southern hemispheres; the North Pole), or it is a boundary of some immaterial entity (for example of some portion of airspace). Three basic kinds of continuant fiat boundary can be distinguished (together with various combination kinds [29 + Continuant fiat boundary doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. An example would be the mereological sum of two-dimensional continuant fiat boundary and a one dimensional continuant fiat boundary that doesn't overlap it. The situation is analogous to temporal and spatial regions. + Every continuant fiat boundary is located at some spatial region at every time at which it exists + (iff (ContinuantFiatBoundary a) (and (ImmaterialEntity a) (exists (b) (and (or (ZeroDimensionalSpatialRegion b) (OneDimensionalSpatialRegion b) (TwoDimensionalSpatialRegion b)) (forall (t) (locatedInAt a b t)))) (not (exists (c t) (and (SpatialRegion c) (continuantPartOfAt c a t)))))) // axiom label in BFO2 CLIF: [029-001] + + continuant fiat boundary + + + + + b is a continuant fiat boundary = Def. b is an immaterial entity that is of zero, one or two dimensions and does not include a spatial region as part. (axiom label in BFO2 Reference: [029-001]) + + + + + + Continuant fiat boundary doesn't have a closure axiom because the subclasses don't necessarily exhaust all possibilites. An example would be the mereological sum of two-dimensional continuant fiat boundary and a one dimensional continuant fiat boundary that doesn't overlap it. The situation is analogous to temporal and spatial regions. + + + + + + (iff (ContinuantFiatBoundary a) (and (ImmaterialEntity a) (exists (b) (and (or (ZeroDimensionalSpatialRegion b) (OneDimensionalSpatialRegion b) (TwoDimensionalSpatialRegion b)) (forall (t) (locatedInAt a b t)))) (not (exists (c t) (and (SpatialRegion c) (continuantPartOfAt c a t)))))) // axiom label in BFO2 CLIF: [029-001] + + + + + + + + + + immaterial + ImmaterialEntity + BFO 2 Reference: Immaterial entities are divided into two subgroups:boundaries and sites, which bound, or are demarcated in relation, to material entities, and which can thus change location, shape and size and as their material hosts move or change shape or size (for example: your nasal passage; the hold of a ship; the boundary of Wales (which moves with the rotation of the Earth) [38, 7, 10 + + immaterial entity + + + + + + + + + + + 1d-cf-boundary + OneDimensionalContinuantFiatBoundary + The Equator + all geopolitical boundaries + all lines of latitude and longitude + the line separating the outer surface of the mucosa of the lower lip from the outer surface of the skin of the chin. + the median sulcus of your tongue + a one-dimensional continuant fiat boundary is a continuous fiat line whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [032-001]) + (iff (OneDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (OneDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [032-001] + + one-dimensional continuant fiat boundary + + + + + a one-dimensional continuant fiat boundary is a continuous fiat line whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [032-001]) + + + + + + (iff (OneDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (OneDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [032-001] + + + + + + + + + + + process-profile + ProcessProfile + On a somewhat higher level of complexity are what we shall call rate process profiles, which are the targets of selective abstraction focused not on determinate quality magnitudes plotted over time, but rather on certain ratios between these magnitudes and elapsed times. A speed process profile, for example, is represented by a graph plotting against time the ratio of distance covered per unit of time. Since rates may change, and since such changes, too, may have rates of change, we have to deal here with a hierarchy of process profile universals at successive levels + One important sub-family of rate process profiles is illustrated by the beat or frequency profiles of cyclical processes, illustrated by the 60 beats per minute beating process of John’s heart, or the 120 beats per minute drumming process involved in one of John’s performances in a rock band, and so on. Each such process includes what we shall call a beat process profile instance as part, a subtype of rate process profile in which the salient ratio is not distance covered but rather number of beat cycles per unit of time. Each beat process profile instance instantiates the determinable universal beat process profile. But it also instantiates multiple more specialized universals at lower levels of generality, selected from rate process profilebeat process profileregular beat process profile3 bpm beat process profile4 bpm beat process profileirregular beat process profileincreasing beat process profileand so on.In the case of a regular beat process profile, a rate can be assigned in the simplest possible fashion by dividing the number of cycles by the length of the temporal region occupied by the beating process profile as a whole. Irregular process profiles of this sort, for example as identified in the clinic, or in the readings on an aircraft instrument panel, are often of diagnostic significance. + The simplest type of process profiles are what we shall call ‘quality process profiles’, which are the process profiles which serve as the foci of the sort of selective abstraction that is involved when measurements are made of changes in single qualities, as illustrated, for example, by process profiles of mass, temperature, aortic pressure, and so on. + b is a process_profile =Def. there is some process c such that b process_profile_of c (axiom label in BFO2 Reference: [093-002]) + b process_profile_of c holds when b proper_occurrent_part_of c& there is some proper_occurrent_part d of c which has no parts in common with b & is mutually dependent on b& is such that b, c and d occupy the same temporal region (axiom label in BFO2 Reference: [094-005]) + (forall (x y) (if (processProfileOf x y) (and (properContinuantPartOf x y) (exists (z t) (and (properOccurrentPartOf z y) (TemporalRegion t) (occupiesSpatioTemporalRegion x t) (occupiesSpatioTemporalRegion y t) (occupiesSpatioTemporalRegion z t) (not (exists (w) (and (occurrentPartOf w x) (occurrentPartOf w z))))))))) // axiom label in BFO2 CLIF: [094-005] + (iff (ProcessProfile a) (exists (b) (and (Process b) (processProfileOf a b)))) // axiom label in BFO2 CLIF: [093-002] + + process profile + + + + + b is a process_profile =Def. there is some process c such that b process_profile_of c (axiom label in BFO2 Reference: [093-002]) + + + + + + b process_profile_of c holds when b proper_occurrent_part_of c& there is some proper_occurrent_part d of c which has no parts in common with b & is mutually dependent on b& is such that b, c and d occupy the same temporal region (axiom label in BFO2 Reference: [094-005]) + + + + + + (forall (x y) (if (processProfileOf x y) (and (properContinuantPartOf x y) (exists (z t) (and (properOccurrentPartOf z y) (TemporalRegion t) (occupiesSpatioTemporalRegion x t) (occupiesSpatioTemporalRegion y t) (occupiesSpatioTemporalRegion z t) (not (exists (w) (and (occurrentPartOf w x) (occurrentPartOf w z))))))))) // axiom label in BFO2 CLIF: [094-005] + + + + + + (iff (ProcessProfile a) (exists (b) (and (Process b) (processProfileOf a b)))) // axiom label in BFO2 CLIF: [093-002] + + + + + + + + + + r-quality + RelationalQuality + John’s role of husband to Mary is dependent on Mary’s role of wife to John, and both are dependent on the object aggregate comprising John and Mary as member parts joined together through the relational quality of being married. + a marriage bond, an instance of requited love, an obligation between one person and another. + b is a relational quality = Def. for some independent continuants c, d and for some time t: b quality_of c at t & b quality_of d at t. (axiom label in BFO2 Reference: [057-001]) + (iff (RelationalQuality a) (exists (b c t) (and (IndependentContinuant b) (IndependentContinuant c) (qualityOfAt a b t) (qualityOfAt a c t)))) // axiom label in BFO2 CLIF: [057-001] + + relational quality + + + + + b is a relational quality = Def. for some independent continuants c, d and for some time t: b quality_of c at t & b quality_of d at t. (axiom label in BFO2 Reference: [057-001]) + + + + + + (iff (RelationalQuality a) (exists (b c t) (and (IndependentContinuant b) (IndependentContinuant c) (qualityOfAt a b t) (qualityOfAt a c t)))) // axiom label in BFO2 CLIF: [057-001] + + + + + + + + + + 2d-cf-boundary + TwoDimensionalContinuantFiatBoundary + a two-dimensional continuant fiat boundary (surface) is a self-connected fiat surface whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [033-001]) + (iff (TwoDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (TwoDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [033-001] + + two-dimensional continuant fiat boundary + + + + + a two-dimensional continuant fiat boundary (surface) is a self-connected fiat surface whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [033-001]) + + + + + + (iff (TwoDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (TwoDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [033-001] + + + + + + + + + + 0d-cf-boundary + ZeroDimensionalContinuantFiatBoundary + the geographic North Pole + the point of origin of some spatial coordinate system. + the quadripoint where the boundaries of Colorado, Utah, New Mexico, and Arizona meet + zero dimension continuant fiat boundaries are not spatial points. Considering the example 'the quadripoint where the boundaries of Colorado, Utah, New Mexico, and Arizona meet' : There are many frames in which that point is zooming through many points in space. Whereas, no matter what the frame, the quadripoint is always in the same relation to the boundaries of Colorado, Utah, New Mexico, and Arizona. + a zero-dimensional continuant fiat boundary is a fiat point whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [031-001]) + (iff (ZeroDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (ZeroDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [031-001] + + zero-dimensional continuant fiat boundary + + + + + zero dimension continuant fiat boundaries are not spatial points. Considering the example 'the quadripoint where the boundaries of Colorado, Utah, New Mexico, and Arizona meet' : There are many frames in which that point is zooming through many points in space. Whereas, no matter what the frame, the quadripoint is always in the same relation to the boundaries of Colorado, Utah, New Mexico, and Arizona. + + requested by Melanie Courtot + + + + + + a zero-dimensional continuant fiat boundary is a fiat point whose location is defined in relation to some material entity. (axiom label in BFO2 Reference: [031-001]) + + + + + + (iff (ZeroDimensionalContinuantFiatBoundary a) (and (ContinuantFiatBoundary a) (exists (b) (and (ZeroDimensionalSpatialRegion b) (forall (t) (locatedInAt a b t)))))) // axiom label in BFO2 CLIF: [031-001] + + + + + + + + + + 0d-t-region + ZeroDimensionalTemporalRegion + a temporal region that is occupied by a process boundary + right now + the moment at which a child is born + the moment at which a finger is detached in an industrial accident + the moment of death. + temporal instant. + A zero-dimensional temporal region is a temporal region that is without extent. (axiom label in BFO2 Reference: [102-001]) + (forall (x) (if (ZeroDimensionalTemporalRegion x) (TemporalRegion x))) // axiom label in BFO2 CLIF: [102-001] + + zero-dimensional temporal region + + + + + A zero-dimensional temporal region is a temporal region that is without extent. (axiom label in BFO2 Reference: [102-001]) + + + + + + (forall (x) (if (ZeroDimensionalTemporalRegion x) (TemporalRegion x))) // axiom label in BFO2 CLIF: [102-001] + + + + + + + + + + history + History + A history is a process that is the sum of the totality of processes taking place in the spatiotemporal region occupied by a material entity or site, including processes on the surface of the entity or within the cavities to which it serves as host. (axiom label in BFO2 Reference: [138-001]) + + history + + + + + A history is a process that is the sum of the totality of processes taking place in the spatiotemporal region occupied by a material entity or site, including processes on the surface of the entity or within the cavities to which it serves as host. (axiom label in BFO2 Reference: [138-001]) + + + + + + + + diff --git a/tests/input/cob.owl b/tests/input/cob.owl new file mode 100644 index 0000000..8c86d9a --- /dev/null +++ b/tests/input/cob.owl @@ -0,0 +1,1385 @@ + + + + + COB brings together key terms from a wide range of OBO projects to improve interoperability. + Core Ontology for Biology and Biomedicine + + This version of COB includes native OBO URIs, only using COB IRIs where equivalent natives could not be found. To see the edition that includes native IRIs, consult cob-edit.owl. + 2023-05-12 + + + + + + + + + + + + + + + + + + + definition + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + part of + + + + + + + + has part + + + + + + + + + realized in + + + + + + + + + + occurs in + + + + + + + + contains process + + + + + + + + + executed by + + + + + + + + + concretizes + + + + + + + + intended to realize + + + + + + + + has plan + + + + + + + + intended plan process type + + + + + + + + + + realizes + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000136 + is about + + + + + + + + + + + has specified input + + + + + + + + + is specified input of + + + + + + + + + + + has specified output + + + + + + + + + is specified output of + + + + + + + + + characteristic of + + + + + + + + + + + has characteristic + https://github.com/oborel/obo-relations/pull/284 + + + + + + Anything can have a characteristic + + + + + + + + + participates in + + + + + + + + + has participant + + + + + + + + is concretized as + + + + + + + + + enabled by + + + + + + + + + + + + executes + + + + + + + + + + + + + + The range of this property should be a user-defined unit datatype, e.g 182^:cm + has quantity + https://github.com/OBOFoundry/COB/issues/35 + + + + + + + + + + Number of protons in an atomic nucleus + We are undecided as to whether to ultimately model this as a data property of object property + cardinality, but for now we are using DPs as these are faster for reasoning + has atomic number + + + + + + + + + + has number of atomic nuclei + + + + + + + + + has inchi string + + + + + + + + + + + + + + + + + + + + process + + + + + + + + + disposition + + + + + + + + + realizable + + + + + + + + + + + + + + + + characteristic + https://github.com/OBOFoundry/COB/issues/65 + https://github.com/oborel/obo-relations/pull/284 + + + + + + + + + + + + + + We should name the inverse in COB and avoid the confusing inverse(..) construct + + + + + + + + + role + + + + + + + + + site + + + + + + + + + function + + + + + + + + + material entity + + + + + + + + + immaterial entity + + + + + + + + + A part of a multicellular organism that is a collection of cell components that are not all contained in one cell. + Bodily fluids, such as urine, are currently defined as anatomical entities in UBERON. We should make sure there is a proper home for these here. + gross anatomical part + + + + + + + + + A material entity that is a maximal functionally integrated unit that develops from a program encoded in a genome. + "Maximal functionally integrated unit" is intended to express unity, which Barry considers synonymous with BFO 'object'. + Includes virus - we will later have a class for cellular organisms. + organism + + + + + + + + + cellular organism + + + + + + + + + + + + + 0 + + + electron + nucleic acid polymer + + + + + + + + + proton + + + + + + + + + + monoatomic ion + + + + + + + + + neutron + + + + + + + + + uncharged atom + + + + + + + + + Some people may be uncomfortable calling every proton an atomic nucleus + This is equivalent to CHEBI:33252 + atomic nucleus + + + + + + + + + subatomic particle + + + + + + + + + A material entity that has a plasma membrane and results from cellular division. + CL and GO definitions of cell differ based on inclusive or exclusive of cell wall, etc. + We struggled with this definition. We are worried about circularity. We also considered requiring the capability of metabolism. + cell + + + + + + + + + native cell + + + + + + + + + cell in vitro + + + + + + + + + no longer needed + obsolete_elementary charge + true + + + + + + + + + + + 1 + + + + + + + + + + + A material entity consisting of exactly one atomic nucleus and the electron(s) orbiting it. + This atom is closely related to ChEBI's atom, but not exactly equivalent to. + atom + + + + + + + + + + + + + + + + A material entity that consists of two or more atoms that are all connected via covalent bonds such that any atom can be transitively connected with any other atom. + This molecular entity is different than ChEBI's 'molecular entity'. + We would like to have cardinality restrictions on the logic, but there are some technical limitations. + molecular entity + + + + + + + + + A material entity consisting of multiple atoms that are completely connected by covalent bonds and structured in subunits, and where the most determinate class identity of the macromolecule is not necessarily changed when there is an addition or subtraction of atoms or bonds. + Terms moved to 'molecular entity', see https://github.com/OBOFoundry/Experimental-OBO-Core/issues/33 + obsolete macromolecular entity + true + + + + + + + + + + + + + + + A material entity consisting of at least two macromolecular entities derived from a cell as parts, and that has a function for the cell. + Components are larger than individual macromolecular entities. It is tricky to define distinction between 'cell component' and 'macromolecular entity', e.g. ribosome. We would like to exclude most protein complexes. + Overlaps with some cellular components from GO + subcellular structure + + + + + + + + + geographical location + + + + + + + + + immaterial anatomical entity + + + + + + + + + gene product + + + + + + + + + + + + + + + + + + + + + action specification + + + + + + + + + + A complex of two or more molecular entities that are not covalently bound. + complex of molecular entities + + + + + + + + + + >=2 parts (not we cannot use cardinality with transitive properties) + + + + + + + + + + + + + + + + + + + + + A process that is initiated by an agent who intends to carry out a plan to achieve an objective through one or more actions as described in a plan specification. + planned process + + + + + + + + + + failed planned process + + + + + + + + + cellular membrane + + + + + + + + + OBI:0000067 + evaluant role + + + + + + + + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000015 + Pier 'representational entity' + This captures: pattern of writing in a book; neural state in the brain, electronic charges in computer memory etc + information representation + + + + + + + + + http://purl.obolibrary.org/obo/IAO_0000109 + measurement datum + + + + + + + + + + + + + + + + + + + + physical information carrier + + + + + + + + + A process during which an organism comes into contact with another entity. + exposure of organism + + + + + + + + + + + + + + + + + + + + + A processed material entity which is designed to perform a function. + + 2023-03-24T16:04:27+00:00 + In this definition we assume devices are made of processed material, not natural artifacts, so we involve artifactual function rather than biological function, but align with a general BFO function sense where functions such as pumping, lifting can occur in both contexts. Thus we can compare a biological arm with a robotic arm device. + +We say "designed" to emphasize a device's primary function rather than all the other possible dispositions a device may have that may also be useful. E.g. one can use a hammer for a paper weight. + +Regarding usage then, we don't say a naturally formed rock is a hammering device - it wasn't designed to bear a hammering function per se. However, a given rock may still happen to have the disposition to bear a hammering function, and so we could say it is a hammering "tool", which does not necessarily convey intentional design. + +Example of use: A whole device like an engine; a component like a bolt is also a device. + device + + + + + + + + + + A processed material entity created to be administered to an individual with the intent to improve health. + drug product + + + + + + + + + geophysical entity + + + + + + + + + ecosystem + + + + + + + + + + + + environmental process + + + + + + + + + + + + + + + + + + + + + + + + This is the same as GO molecular function + gene product or complex activity + + + + + + + + + cell nucleus + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A process that emerges from two or more causally-connected macromolecular activities and has evolved to achieve a biological objective. + A biological process is an evolved process + biological process + + + + + + + + + + + + + + + This is not covalently bonded, which conflicts with changes to the parent definition. + protein-containing macromolecular complex + + + + + + + + + objective specification + + + + + + + + + data item + + + + + + + + + + + + + + + + + + + + + + + + + Pier: 'data, information or knowledge'. OR 'representation + information + + + + + + + + + directive information entity + + + + + + + + + + + + + + + + + + + + + plan specification + + + + + + + + + document + + + + + + + + + This is meant to capture processes that are more fundamental than macromolecular activities + physico-chemical process + + + + + + + + + + + + + + + completely executed planned process + + + + + + + + + A material entity processed by human activity with an intent to produce + processed material entity + + + + + + + + + investigation + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + assay + + + + + + + + + material processing + + + + + + + + + Should revisit if we can place outside of material entity - a collection of roles. + organization + + + + + + + + + + + + + + + + + + + + + + + + + + plan + + + + + + + + + conclusion based on data + + + + + + + + + data transformation + + + + + + + + + phenotypic finding + + + + + + + + + disease course + + + + + + + + + disease diagnosis + + + + + + + + + + + + + + + mass + + + + + + + + + + + + + + + charge + + + + + + + + + collection of organisms + + + + + + + + + protein + + + + + + + + + A role realized by a participant in a process such that the participant causes the process. + agent role + + + + + + + diff --git a/tests/input/ro.owl b/tests/input/ro.owl new file mode 100644 index 0000000..c50e7d2 --- /dev/null +++ b/tests/input/ro.owl @@ -0,0 +1,16867 @@ + + + + + The OBO Relations Ontology (RO) is a collection of OWL relations (ObjectProperties) intended for use across a wide variety of biological ontologies. + + OBO Relations Ontology + 2023-08-18 + https://github.com/oborel/obo-relations/ + + + + + + + + + + + + + + + + + + + editor preferred term + + The concise, meaningful, and human-friendly name for a class or property preferred by the ontology developers. (US-English) + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + editor preferred term + + + + + + + + example of usage + + A phrase describing how a term should be used and/or a citation to a work which uses it. May also include other kinds of examples that facilitate immediate understanding, such as widely know prototypes or instances of a class, or cases where a relation is said to hold. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + example of usage + example of usage + + + + + + + + has curation status + PERSON:Alan Ruttenberg + PERSON:Bill Bug + PERSON:Melanie Courtot + has curation status + + + + + + + + definition + + The official definition, explaining the meaning of a class or property. Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions. + 2012-04-05: +Barry Smith + +The official OBI definition, explaining the meaning of a class or property: 'Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions' is terrible. + +Can you fix to something like: + +A statement of necessary and sufficient conditions explaining the meaning of an expression referring to a class or property. + +Alan Ruttenberg + +Your proposed definition is a reasonable candidate, except that it is very common that necessary and sufficient conditions are not given. Mostly they are necessary, occasionally they are necessary and sufficient or just sufficient. Often they use terms that are not themselves defined and so they effectively can't be evaluated by those criteria. + +On the specifics of the proposed definition: + +We don't have definitions of 'meaning' or 'expression' or 'property'. For 'reference' in the intended sense I think we use the term 'denotation'. For 'expression', I think we you mean symbol, or identifier. For 'meaning' it differs for class and property. For class we want documentation that let's the intended reader determine whether an entity is instance of the class, or not. For property we want documentation that let's the intended reader determine, given a pair of potential relata, whether the assertion that the relation holds is true. The 'intended reader' part suggests that we also specify who, we expect, would be able to understand the definition, and also generalizes over human and computer reader to include textual and logical definition. + +Personally, I am more comfortable weakening definition to documentation, with instructions as to what is desirable. + +We also have the outstanding issue of how to aim different definitions to different audiences. A clinical audience reading chebi wants a different sort of definition documentation/definition from a chemistry trained audience, and similarly there is a need for a definition that is adequate for an ontologist to work with. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition + definition + + + + + + + + editor note + + An administrative note intended for its editor. It may not be included in the publication version of the ontology, so it should contain nothing necessary for end users to understand the ontology. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obofoundry.org/obo/obi> + editor note + + + + + + + + term editor + + Name of editor entering the term in the file. The term editor is a point of contact for information regarding the term. The term editor may be, but is not always, the author of the definition, which may have been worked upon by several people + 20110707, MC: label update to term editor and definition modified accordingly. See https://github.com/information-artifact-ontology/IAO/issues/115. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + term editor + + + + + + + + alternative label + + A label for a class or property that can be used to refer to the class or property instead of the preferred rdfs:label. Alternative labels should be used to indicate community- or context-specific labels, abbreviations, shorthand forms and the like. + OBO Operations committee + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + Consider re-defing to: An alternative name for a class or property which can mean the same thing as the preferred name (semantically equivalent, narrow, broad or related). + alternative label + + + + + + + + definition source + + Formal citation, e.g. identifier in external database to indicate / attribute source(s) for the definition. Free text indicate / attribute source(s) for the definition. EXAMPLE: Author Name, URI, MeSH Term C04, PUBMED ID, Wiki uri on 31.01.2007 + PERSON:Daniel Schober + Discussion on obo-discuss mailing-list, see http://bit.ly/hgm99w + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition source + + + + + + + + curator note + + An administrative note of use for a curator but of no use for a user + PERSON:Alan Ruttenberg + curator note + + + + + + + + term tracker item + the URI for an OBI Terms ticket at sourceforge, such as https://sourceforge.net/p/obi/obi-terms/772/ + + An IRI or similar locator for a request or discussion of an ontology term. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'tracker item' can associate a tracker with a specific ontology term. + term tracker item + + + + + + + + imported from + + For external terms/classes, the ontology from which the term was imported + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + imported from + + + + + + + + expand expression to + ObjectProperty: RO_0002104 +Label: has plasma membrane part +Annotations: IAO_0000424 "http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.org/obo/owl/GO#GO_0005886 and http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an object property (or possibly a data property) which can be used by a macro-expansion engine to generate more complex expressions from simpler ones + Chris Mungall + expand expression to + + + + + + + + expand assertion to + ObjectProperty: RO??? +Label: spatially disjoint from +Annotations: expand_assertion_to "DisjointClasses: (http://purl.obolibrary.org/obo/BFO_0000051 some ?X) (http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an annotation property which can be expanded into a more detailed axiom. + Chris Mungall + expand assertion to + + + + + + + + first order logic expression + An assertion that holds between an OWL Object Property and a string or literal, where the value of the string or literal is a Common Logic sentence of collection of sentences that define the Object Property. + PERSON:Alan Ruttenberg + first order logic expression + + + + + + + + + OBO foundry unique label + + An alternative name for a class or property which is unique across the OBO Foundry. + The intended usage of that property is as follow: OBO foundry unique labels are automatically generated based on regular expressions provided by each ontology, so that SO could specify unique label = 'sequence ' + [label], etc. , MA could specify 'mouse + [label]' etc. Upon importing terms, ontology developers can choose to use the 'OBO foundry unique label' for an imported term or not. The same applies to tools . + PERSON:Alan Ruttenberg + PERSON:Bjoern Peters + PERSON:Chris Mungall + PERSON:Melanie Courtot + GROUP:OBO Foundry <http://obofoundry.org/> + OBO foundry unique label + + + + + + + + elucidation + person:Alan Ruttenberg + Person:Barry Smith + Primitive terms in a highest-level ontology such as BFO are terms which are so basic to our understanding of reality that there is no way of defining them in a non-circular fashion. For these, therefore, we can provide only elucidations, supplemented by examples and by axioms + elucidation + + + + + + + + has ontology root term + Ontology annotation property. Relates an ontology to a term that is a designated root term of the ontology. Display tools like OLS can use terms annotated with this property as the starting point for rendering the ontology class hierarchy. There can be more than one root. + Nicolas Matentzoglu + has ontology root term + + + + + + + + term replaced by + + Use on obsolete terms, relating the term to another term that can be used as a substitute + Person:Alan Ruttenberg + Person:Alan Ruttenberg + Add as annotation triples in the granting ontology + term replaced by + + + + + + + + 'part disjoint with' 'defined by construct' """ + PREFIX owl: <http://www.w3.org/2002/07/owl#> + PREFIX : <http://example.org/ + CONSTRUCT { + [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?a ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?b + ] + ] + } + WHERE { + ?a :part_disjoint_with ?b . + } + Links an annotation property to a SPARQL CONSTRUCT query which is meant to provide semantics for a shortcut relation. + + + + defined by construct + + + + + + + + An assertion that holds between an OWL Object Property and a temporal interpretation that elucidates how OWL Class Axioms that use this property are to be interpreted in a temporal context. + temporal interpretation + + + + + + + + + + tooth SubClassOf 'never in taxon' value 'Aves' + x never in taxon T if and only if T is a class, and x does not instantiate the class expression "in taxon some T". Note that this is a shortcut relation, and should be used as a hasValue restriction in OWL. + + + + Class: ?X DisjointWith: RO_0002162 some ?Y + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX never_in_taxon: <http://purl.obolibrary.org/obo/RO_0002161> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?x owl:disjointWith [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . + ?x rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom [ + a owl:Class ; + owl:complementOf ?taxon + ] + ] . +} +WHERE { + ?x never_in_taxon: ?taxon . +} + never in taxon + + + + + + + + + + A is mutually_spatially_disjoint_with B if both A and B are classes, and there exists no p such that p is part_of some A and p is part_of some B. + non-overlapping with + shares no parts with + + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (BFO_0000050 some ?Y) + PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX part_of: <http://purl.obolibrary.org/obo/BFO_0000050> +PREFIX mutually_spatially_disjoint_with: <http://purl.obolibrary.org/obo/RO_0002171> +CONSTRUCT { + part_of: a owl:ObjectProperty . + [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?x ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?y + ] + ] +} +WHERE { + ?x mutually_spatially_disjoint_with: ?y . +} + mutually spatially disjoint with + + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + An assertion that holds between an ontology class and an organism taxon class, which is intepreted to yield some relationship between instances of the ontology class and the taxon. + taxonomic class assertion + + + + + + + + + + S ambiguous_for_taxon T if the class S does not have a clear referent in taxon T. An example would be the class 'manual digit 1', which encompasses a homology hypotheses that is accepted for some species (e.g. human and mouse), but does not have a clear referent in Aves - the referent is dependent on the hypothesis embraced, and also on the ontogenetic stage. [PHENOSCPAE:asilomar_mtg] + ambiguous for taxon + + + + + + + + + + S dubious_for_taxon T if it is probably the case that no instances of S can be found in any instance of T. + + + This relation lacks a strong logical interpretation, but can be used in place of never_in_taxon where it is desirable to state that the definition of the class is too strict for the taxon under consideration, but placing a never_in_taxon link would result in a chain of inconsistencies that will take ongoing coordinated effort to resolve. Example: metencephalon in teleost + dubious for taxon + + + + + + + + + + S present_in_taxon T if some instance of T has some S. This does not means that all instances of T have an S - it may only be certain life stages or sexes that have S + + + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX present_in_taxon: <http://purl.obolibrary.org/obo/RO_0002175> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?witness rdfs:label ?label . + ?witness rdfs:subClassOf ?x . + ?witness rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . +} +WHERE { + ?x present_in_taxon: ?taxon . + BIND(IRI(CONCAT( + "http://purl.obolibrary.org/obo/RO_0002175#", + MD5(STR(?x)), + "-", + MD5(STR(?taxon)) + )) as ?witness) + BIND(CONCAT(STR(?x), " in taxon ", STR(?taxon)) AS ?label) +} + The SPARQL expansion for this relation introduces new named classes into the ontology. For this reason it is likely that the expansion should only be performed during a QC pipeline; the expanded output should usually not be included in a published version of the ontology. + present in taxon + + + + + + + + + + defined by inverse + + + + + + + + + An assertion that involves at least one OWL object that is intended to be expanded into one or more logical axioms. The logical expansion can yield axioms expressed using any formal logical system, including, but not limited to OWL2-DL. + logical macro assertion + http://purl.obolibrary.org/obo/ro/docs/shortcut-relations/ + + + + + + + + An assertion that holds between an OWL Annotation Property P and a non-negative integer N, with the interpretation: for any P(i j) it must be the case that | { k : P(i k) } | = N. + annotation property cardinality + + + + + + + + + + A logical macro assertion whose domain is an IRI for a class + The domain for this class can be considered to be owl:Class, but we cannot assert this in OWL2-DL + logical macro assertion on a class + + + + + + + + + A logical macro assertion whose domain is an IRI for a property + logical macro assertion on a property + + + + + + + + + Used to annotate object properties to describe a logical meta-property or characteristic of the object property. + logical macro assertion on an object property + + + + + + + + + logical macro assertion on an annotation property + + + + + + + + + An assertion that holds between an OWL Object Property and a dispositional interpretation that elucidates how OWL Class Axioms or OWL Individuals that use this property are to be interpreted in a dispositional context. For example, A binds B may be interpreted as A have a mutual disposition that is realized by binding to the other one. + dispositional interpretation + + + + + + + + + 'pectoral appendage skeleton' has no connections with 'pelvic appendage skeleton' + A is has_no_connections_with B if there are no parts of A or B that have a connection with the other. + shares no connection with + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (RO_0002170 some (BFO_0000050 some ?Y)) + has no connections with + + + + + + + + + inherited annotation property + + + + + + + + Connects an ontology entity (class, property, etc) to a URL from which curator guidance can be obtained. This assertion is inherited in the same manner as functional annotations (e.g. for GO, over SubClassOf and part_of) + curator guidance link + + + + + + + + + brain always_present_in_taxon 'Vertebrata' + forelimb always_present_in_taxon Euarchontoglires + S always_present_in_taxon T if every fully formed member of taxon T has part some S, or is an instance of S + This is a very strong relation. Often we will not have enough evidence to know for sure that there are no species within a lineage that lack the structure - loss is common in evolution. However, there are some statements we can make with confidence - no vertebrate lineage could persist without a brain or a heart. All primates are limbed. + never lost in + always present in taxon + + + + + + + + + This properties were created originally for the annotation of developmental or life cycle stages, such as for example Carnegie Stage 20 in humans. + temporal logical macro assertion on a class + + + + + + + + + measurement property has unit + + + + + + + + + has start time value + + + + + + + + + + has end time value + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 0 for this property. + start, days post fertilization + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 1 for this property. + end, days post fertilization + + + + + + + + + + Count of number of years intervening between the start of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 0 for this property, and the period during which the child is one year old has the value 1. + start, years post birth + + + + + + + + + + Count of number of years intervening between the end of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 1 for this property, and the period during which the child is one year old has the value 2 + end, years post birth + + + + + + + + + + Count of number of months intervening between the start of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 0 for this property, and the period during which the child is one month old has the value 1. + start, months post birth + + + + + + + + + + Count of number of months intervening between the end of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 1 for this property, and the period during which the child is one month old has the value 2 + end, months post birth + + + + + + + + + + Defines the start and end of a stage with a duration of 1 month, relative to either the time of fertilization or last menstrual period of the mother (to be clarified), counting from one, in terms of a reference model. Thus if month_of_gestation=3, then the stage is 2 month in. + month of gestation + + + + + + + + + + A relationship between a stage class and an anatomical structure or developmental process class, in which the stage is characterized by the appearance of the structure or the occurrence of the biological process + has developmental stage marker + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of coitum. + For mouse staging: assuming that it takes place around midnight during a 7pm to 5am dark cycle (noon of the day on which the vaginal plug is found, the embryos are aged 0.5 days post coitum) + start, days post coitum + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of coitum. + end, days post coitum + + + + + + + + + + start, weeks post birth + + + + + + + + + + end, weeks post birth + + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x subject-partner-in p, y object-partner-in p + is asymmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x partner-in p, y partner-in p + is symmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + R is the relational form of a process if and only if either (1) R is the symmetric relational form of a process or (2) R is the asymmetric relational form of a process + is relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + relation p is the direct form of relation q iff p is a subPropertyOf q, p does not have the Transitive characteristic, q does have the Transitive characteristic, and for all x, y: x q y -> exists z1, z2, ..., zn such that x p z1 ... z2n y + The general property hierarchy is: + + "directly P" SubPropertyOf "P" + Transitive(P) + +Where we have an annotation assertion + + "directly P" "is direct form of" "P" + If we have the annotation P is-direct-form-of Q, and we have inverses P' and Q', then it follows that P' is-direct-form-of Q' + + is direct form of + + + + + + + + + + relation p is the indirect form of relation q iff p is a subPropertyOf q, and there exists some p' such that p' is the direct form of q, p' o p' -> p, and forall x,y : x q y -> either (1) x p y or (2) x p' y + + is indirect form of + + + + + + + + + + logical macro assertion on an axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then it also holds that R -> P o Q. Note that this cannot be expressed directly in OWL + is a defining property chain axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then (1) R -> P o Q holds and (2) Q is either reflexive or locally reflexive. A corollary of this is that P SubPropertyOf R. + is a defining property chain axiom where second argument is reflexive + + + + + + + + + An annotation property that connects an object property to a class, where the object property is derived from or a shortcut property for the class. The exact semantics of this annotation may vary on a case by case basis. + is relational form of a class + + + + + + + + + A shortcut relationship that holds between two entities based on their identity criteria + logical macro assertion involving identity + + + + + + + + + A shortcut relationship between two entities x and y1, such that the intent is that the relationship is functional and inverse function, but there is no guarantee that this property holds. + in approximate one to one relationship with + + + + + + + + + x is approximately equivalent to y if it is the case that x is equivalent, identical or near-equivalent to y + The precise meaning of this property is dependent upon some contexts. It is intended to group multiple possible formalisms. Possibilities include a probabilistic interpretation, for example, Pr(x=y) > 0.95. Other possibilities include reified statements of belief, for example, "Database D states that x=y" + is approximately equivalent to + + + + + + + + + 'anterior end of organism' is-opposite-of 'posterior end of organism' + 'increase in temperature' is-opposite-of 'decrease in temperature' + x is the opposite of y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is opposite of + + + + + + + + + x is indistinguishable from y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is indistinguishable from + + + + + + + + + evidential logical macro assertion on an axiom + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence supports the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom has evidence + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence contradicts the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom contradicted by evidence + + + + + + + + + In the context of a particular project, the IRI with CURIE NCBIGene:64327 (which in this example denotes a class) is considered to be representative. This means that if we have equivalent classes with IRIs OMIM:605522, ENSEMBL:ENSG00000105983, HGNC:13243 forming an equivalence set, the NCBIGene is considered the representative member IRI. Depending on the policies of the project, the classes may be merged, or the NCBIGene IRI may be chosen as the default in a user interface context. + this property relates an IRI to the xsd boolean value "True" if the IRI is intended to be the representative IRI for a collection of classes that are mutually equivalent. + If it is necessary to make the context explicit, an axiom annotation can be added to the annotation assertion + is representative IRI for equivalence set + OWLAPI Reasoner documentation for representativeElement, which follows a similar idea, but selects an arbitrary member + + + + + + + + + true if the two properties are disjoint, according to OWL semantics. This should only be used if using a logical axiom introduces a non-simple property violation. + + nominally disjoint with + + + + + + + + + Used to annotate object properties representing a causal relationship where the value indicates a direction. Should be "+", "-" or "0" + + 2018-03-13T23:59:29Z + is directional form of + + + + + + + + + + 2018-03-14T00:03:16Z + is positive form of + + + + + + + + + + 2018-03-14T00:03:24Z + is negative form of + + + + + + + + + part-of is homeomorphic for independent continuants. + R is homemorphic for C iff (1) there exists some x,y such that x R y, and x and y instantiate C and (2) for all x, if x is an instance of C, and there exists some y some such that x R y, then it follows that y is an instance of C. + + 2018-10-21T19:46:34Z + R homeomorphic-for C expands to: C SubClassOf R only C. Additionally, for any class D that is disjoint with C, we can also expand to C DisjointWith R some D, D DisjointWith R some C. + is homeomorphic for + + + + + + + + + + + 2020-09-22T11:05:29Z + valid_for_go_annotation_extension + + + + + + + + + + + 2020-09-22T11:05:18Z + valid_for_go_gp2term + + + + + + + + + + + 2020-09-22T11:04:12Z + valid_for_go_ontology + + + + + + + + + + + 2020-09-22T11:05:45Z + valid_for_gocam + + + + + + + + + + eco subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + subset_property + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An alternative label for a class or property which has a more general meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + has broad synonym + has_broad_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + + + + + + + + + database_cross_reference + + + + + + + + An alternative label for a class or property which has the exact same meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + has exact synonym + has_exact_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + + + + + + + + + An alternative label for a class or property which has a more specific meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + has narrow synonym + has_narrow_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + + + + + + + + + has_obo_format_version + + + + + + + + An alternative label for a class or property that has been used synonymously with the primary term name, but the usage is not strictly correct. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + has related synonym + has_related_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + + + + + + + + + + + + + + + in_subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is defined by + + + + + is defined by + This is an experimental annotation + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is part of + my brain is part of my body (continuant parthood, two material entities) + my stomach cavity is part of my stomach (continuant parthood, immaterial entity is part of material entity) + this day is part of this year (occurrent parthood) + a core relation that holds between a part and its whole + Everything is part of itself. Any part of any part of a thing is itself part of that thing. Two distinct things cannot be part of each other. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent can be part of an occurrent; only a process can be part of a process; only a continuant can be part of a continuant; only an independent continuant can be part of an independent continuant; only an immaterial entity can be part of an immaterial entity; only a specifically dependent continuant can be part of a specifically dependent continuant; only a generically dependent continuant can be part of a generically dependent continuant. (This list is not exhaustive.) + +A continuant cannot be part of an occurrent: use 'participates in'. An occurrent cannot be part of a continuant: use 'has participant'. A material entity cannot be part of an immaterial entity: use 'has location'. A specifically dependent continuant cannot be part of an independent continuant: use 'inheres in'. An independent continuant cannot be part of a specifically dependent continuant: use 'bearer of'. + part_of + + + + + + + + + + + + + part of + + + http://www.obofoundry.org/ro/#OBO_REL:part_of + https://wiki.geneontology.org/Part_of + + + + + + + + + + has part + my body has part my brain (continuant parthood, two material entities) + my stomach has part my stomach cavity (continuant parthood, material entity has part immaterial entity) + this year has part this day (occurrent parthood) + a core relation that holds between a whole and its part + Everything has itself as a part. Any part of any part of a thing is itself part of that thing. Two distinct things cannot have each other as a part. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent have an occurrent as part; only a process can have a process as part; only a continuant can have a continuant as part; only an independent continuant can have an independent continuant as part; only a specifically dependent continuant can have a specifically dependent continuant as part; only a generically dependent continuant can have a generically dependent continuant as part. (This list is not exhaustive.) + +A continuant cannot have an occurrent as part: use 'participates in'. An occurrent cannot have a continuant as part: use 'has participant'. An immaterial entity cannot have a material entity as part: use 'location of'. An independent continuant cannot have a specifically dependent continuant as part: use 'bearer of'. A specifically dependent continuant cannot have an independent continuant as part: use 'inheres in'. + has_part + + + + + has part + + + + + + + + + + + realized in + this disease is realized in this disease course + this fragility is realized in this shattering + this investigator role is realized in this investigation + is realized by + realized_in + [copied from inverse property 'realizes'] to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a realizable entity and a process, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realized in + + + + + + + + + + realizes + this disease course realizes this disease + this investigation realizes this investigator role + this shattering realizes this fragility + to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a process and a realizable entity, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realizes + + + + + + + + + accidentally included in BFO 1.2 proposal + - should have been BFO_0000062 + obsolete preceded by + true + + + + + + + + + + + + + + + + + + + + + + + + + preceded by + x is preceded by y if and only if the time point at which y ends is before or equivalent to the time point at which x starts. Formally: x preceded by y iff ω(y) <= α(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + An example is: translation preceded_by transcription; aging preceded_by development (not however death preceded_by aging). Where derives_from links classes of continuants, preceded_by links classes of processes. Clearly, however, these two relations are not independent of each other. Thus if cells of type C1 derive_from cells of type C, then any cell division involving an instance of C1 in a given lineage is preceded_by cellular processes involving an instance of C. The assertion P preceded_by P1 tells us something about Ps in general: that is, it tells us something about what happened earlier, given what we know about what happened later. Thus it does not provide information pointing in the opposite direction, concerning instances of P1 in general; that is, that each is such as to be succeeded by some instance of P. Note that an assertion to the effect that P preceded_by P1 is rather weak; it tells us little about the relations between the underlying instances in virtue of which the preceded_by relation obtains. Typically we will be interested in stronger relations, for example in the relation immediately_preceded_by, or in relations which combine preceded_by with a condition to the effect that the corresponding instances of P and P1 share participants, or that their participants are connected by relations of derivation, or (as a first step along the road to a treatment of causality) that the one process in some way affects (for example, initiates or regulates) the other. + is preceded by + preceded_by + http://www.obofoundry.org/ro/#OBO_REL:preceded_by + + preceded by + + + + + + + + + + + + + + + + + + + + precedes + x precedes y if and only if the time point at which x ends is before or equivalent to the time point at which y starts. Formally: x precedes y iff ω(x) <= α(y), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + precedes + + + + + + + + + + + + + + + + + + + occurs in + b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + occurs_in + unfolds in + unfolds_in + + + + Paraphrase of definition: a relation between a process and an independent continuant, in which the process takes place entirely within the independent continuant + + occurs in + https://wiki.geneontology.org/Occurs_in + + + + + + + + site of + [copied from inverse property 'occurs in'] b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + Paraphrase of definition: a relation between an independent continuant and a process, in which the process takes place entirely within the independent continuant + + contains process + + + + + + + + A relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist through the separation or transformation of a part of the old entity, and the new entity inherits a significant portion of the matter belonging to that part of the old entity. + derives from part of + + + + + + + + + + + inheres in + this fragility is a characteristic of this vase + this red color is a characteristic of this apple + a relation between a specifically dependent continuant (the characteristic) and any other entity (the bearer), in which the characteristic depends on the bearer for its existence. + inheres_in + + Note that this relation was previously called "inheres in", but was changed to be called "characteristic of" because BFO2 uses "inheres in" in a more restricted fashion. This relation differs from BFO2:inheres_in in two respects: (1) it does not impose a range constraint, and thus it allows qualities of processes, as well as of information entities, whereas BFO2 restricts inheres_in to only apply to independent continuants (2) it is declared functional, i.e. something can only be a characteristic of one thing. + characteristic of + + + + + + + + + + bearer of + this apple is bearer of this red color + this vase is bearer of this fragility + Inverse of characteristic_of + A bearer can have many dependents, and its dependents can exist for different periods of time, but none of its dependents can exist when the bearer does not exist. + bearer_of + is bearer of + + has characteristic + + + + + + + + + + + participates in + this blood clot participates in this blood coagulation + this input material (or this output material) participates in this process + this investigator participates in this investigation + a relation between a continuant and a process, in which the continuant is somehow involved in the process + participates_in + participates in + + + + + + + + + + + + + + + + + + + has participant + this blood coagulation has participant this blood clot + this investigation has participant this investigator + this process has participant this input material (or this output material) + a relation between a process and a continuant, in which the continuant is somehow involved in the process + Has_participant is a primitive instance-level relation between a process, a continuant, and a time at which the continuant participates in some way in the process. The relation obtains, for example, when this particular process of oxygen exchange across this particular alveolar membrane has_participant this particular sample of hemoglobin at this particular time. + has_participant + http://www.obofoundry.org/ro/#OBO_REL:has_participant + has participant + + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The journal article (a generically dependent continuant) is concretized as the quality (a specifically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a generically dependent continuant and a specifically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. A generically dependent continuant may be concretized as multiple specifically dependent continuants. + is concretized as + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The quality (a specifically dependent continuant) concretizes the journal article (a generically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a specifically dependent continuant and a generically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. Multiple specifically dependent continuants can concretize the same generically dependent continuant. + concretizes + + + + + + + + + + + this catalysis function is a function of this enzyme + a relation between a function and an independent continuant (the bearer), in which the function specifically depends on the bearer for its existence + A function inheres in its bearer at all times for which the function exists, however the function need not be realized at all the times that the function exists. + function_of + is function of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + function of + + + + + + + + + + this red color is a quality of this apple + a relation between a quality and an independent continuant (the bearer), in which the quality specifically depends on the bearer for its existence + A quality inheres in its bearer at all times for which the quality exists. + is quality of + quality_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + quality of + + + + + + + + + + this investigator role is a role of this person + a relation between a role and an independent continuant (the bearer), in which the role specifically depends on the bearer for its existence + A role inheres in its bearer at all times for which the role exists, however the role need not be realized at all the times that the role exists. + is role of + role_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + role of + + + + + + + + + + + this enzyme has function this catalysis function (more colloquially: this enzyme has this catalysis function) + a relation between an independent continuant (the bearer) and a function, in which the function specifically depends on the bearer for its existence + A bearer can have many functions, and its functions can exist for different periods of time, but none of its functions can exist when the bearer does not exist. A function need not be realized at all the times that the function exists. + has_function + has function + + + + + + + + + + this apple has quality this red color + a relation between an independent continuant (the bearer) and a quality, in which the quality specifically depends on the bearer for its existence + A bearer can have many qualities, and its qualities can exist for different periods of time, but none of its qualities can exist when the bearer does not exist. + has_quality + has quality + + + + + + + + + + + this person has role this investigator role (more colloquially: this person has this role of investigator) + a relation between an independent continuant (the bearer) and a role, in which the role specifically depends on the bearer for its existence + A bearer can have many roles, and its roles can exist for different periods of time, but none of its roles can exist when the bearer does not exist. A role need not be realized at all the times that the role exists. + has_role + has role + + + + + + + + + + + + a relation between an independent continuant (the bearer) and a disposition, in which the disposition specifically depends on the bearer for its existence + has disposition + + + + + + + + + inverse of has disposition + + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + disposition of + + + + + + + + + OBSOLETE A relation that holds between two neurons connected directly via a synapse, or indirectly via a series of synaptically connected neurons. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_to another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_to the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete upstream in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_by another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_by the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete downstream in neural circuit with + true + + + + + + + + + this cell derives from this parent cell (cell division) + this nucleus derives from this parent nucleus (nuclear division) + + a relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops from'. + derives_from + This relation is taken from the RO2005 version of RO. It may be obsoleted and replaced by relations with different definitions. See also the 'develops from' family of relations. + + derives from + + + + + + + + this parent cell derives into this cell (cell division) + this parent nucleus derives into this nucleus (nuclear division) + + a relation between two distinct material entities, the old entity and the new entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops into'. To avoid making statements about a future that may not come to pass, it is often better to use the backward-looking 'derives from' rather than the forward-looking 'derives into'. + derives_into + + derives into + + + + + + + + + + is location of + my head is the location of my brain + this cage is the location of this rat + a relation between two independent continuants, the location and the target, in which the target is entirely within the location + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + location_of + + location of + + + + + + + + contained in + Containment is location not involving parthood, and arises only where some immaterial continuant is involved. + Containment obtains in each case between material and immaterial continuants, for instance: lung contained_in thoracic cavity; bladder contained_in pelvic cavity. Hence containment is not a transitive relation. If c part_of c1 at t then we have also, by our definition and by the axioms of mereology applied to spatial regions, c located_in c1 at t. Thus, many examples of instance-level location relations for continuants are in fact cases of instance-level parthood. For material continuants location and parthood coincide. Containment is location not involving parthood, and arises only where some immaterial continuant is involved. To understand this relation, we first define overlap for continuants as follows: c1 overlap c2 at t =def for some c, c part_of c1 at t and c part_of c2 at t. The containment relation on the instance level can then be defined (see definition): + contained_in + obsolete contained in + + true + + + + + + + + contains + obsolete contains + + true + + + + + + + + + + + penicillin (CHEBI:17334) is allergic trigger for penicillin allergy (DOID:0060520) + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is allergic trigger for + + + + + + + + + + + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is autoimmune trigger for + + + + + + + + + + penicillin allergy (DOID:0060520) has allergic trigger penicillin (CHEBI:17334) + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has allergic trigger + + + + + + + + + + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has autoimmune trigger + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + located in + my brain is located in my head + this rat is located in this cage + a relation between two independent continuants, the target and the location, in which the target is entirely within the location + Location as a relation between instances: The primitive instance-level relation c located_in r at t reflects the fact that each continuant is at any given time associated with exactly one spatial region, namely its exact location. Following we can use this relation to define a further instance-level location relation - not between a continuant and the region which it exactly occupies, but rather between one continuant and another. c is located in c1, in this sense, whenever the spatial region occupied by c is part_of the spatial region occupied by c1. Note that this relation comprehends both the relation of exact location between one continuant and another which obtains when r and r1 are identical (for example, when a portion of fluid exactly fills a cavity), as well as those sorts of inexact location relations which obtain, for example, between brain and head or between ovum and uterus + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + located_in + + http://www.obofoundry.org/ro/#OBO_REL:located_in + + located in + https://wiki.geneontology.org/Located_in + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + + + + + the surface of my skin is a 2D boundary of my body + a relation between a 2D immaterial entity (the boundary) and a material entity, in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + 2D_boundary_of + boundary of + is 2D boundary of + is boundary of + surface of + + 2D boundary of + + + + + + + + + + May be obsoleted, see https://github.com/oborel/obo-relations/issues/260 + + + aligned with + + + + + + + + + + + my body has 2D boundary the surface of my skin + a relation between a material entity and a 2D immaterial entity (the boundary), in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + + has boundary + has_2D_boundary + + has 2D boundary + + + + + + + + + A relation that holds between two neurons that are electrically coupled via gap junctions. + + + electrically_synapsed_to + + + + + + + + + + + The relationship that holds between a trachea or tracheole and an antomical structure that is contained in (and so provides an oxygen supply to). + + tracheates + + + + + + + + + + + + http://www.ncbi.nlm.nih.gov/pubmed/22402613 + innervated_by + + + + + + + + + + + + has synaptic terminal of + + + + + + + + + + + + + + + + + + + + + X outer_layer_of Y iff: +. X :continuant that bearer_of some PATO:laminar +. X part_of Y +. exists Z :surface +. X has_boundary Z +. Z boundary_of Y + +has_boundary: http://purl.obolibrary.org/obo/RO_0002002 +boundary_of: http://purl.obolibrary.org/obo/RO_0002000 + + + A relationship that applies between a continuant and its outer, bounding layer. Examples include the relationship between a multicellular organism and its integument, between an animal cell and its plasma membrane, and between a membrane bound organelle and its outer/bounding membrane. + bounding layer of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A relation that holds between two linear structures that are approximately parallel to each other for their entire length and where either the two structures are adjacent to each other or one is part of the other. + Note from NCEAS meeting: consider changing primary label + + + Example: if we define region of chromosome as any subdivision of a chromosome along its long axis, then we can define a region of chromosome that contains only gene x as 'chromosome region' that coincident_with some 'gene x', where the term gene X corresponds to a genomic sequence. + coincident with + + + + + + + + + + A relation that applies between a cell(c) and a gene(g) , where the process of 'transcription, DNA templated (GO_0006351)' is occuring in in cell c and that process has input gene g. + + x 'cell expresses' y iff: +cell(x) +AND gene(y) +AND exists some 'transcription, DNA templated (GO_0006351)'(t) +AND t occurs_in x +AND t has_input y + cell expresses + + + + + + + + + + + x 'regulates in other organism' y if and only if: (x is the realization of a function to exert an effect on the frequency, rate or extent of y) AND (the agents of x are produced by organism o1 and the agents of y are produced by organism o2). + + regulates in other organism + + + + + + + + + + + + A relationship that holds between a process that regulates a transport process and the entity transported by that process. + + + regulates transport of + + + + + + + + + + + + A part of relation that applies only between occurrents. + occurrent part of + + + + + + + + + + A 'has regulatory component activity' B if A and B are GO molecular functions (GO_0003674), A has_component B and A is regulated by B. + + 2017-05-24T09:30:46Z + has regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that negatively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is negatively regulated by B. + + 2017-05-24T09:31:01Z + By convention GO molecular functions are classified by their effector function. Internal regulatory functions are treated as components. For example, NMDA glutmate receptor activity is a cation channel activity with positive regulatory component 'glutamate binding' and negative regulatory components including 'zinc binding' and 'magnesium binding'. + has negative regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that positively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is positively regulated by B. + + 2017-05-24T09:31:17Z + By convention GO molecular functions are classified by their effector function and internal regulatory functions are treated as components. So, for example calmodulin has a protein binding activity that has positive regulatory component activity calcium binding activity. Receptor tyrosine kinase activity is a tyrosine kinase activity that has positive regulatory component 'ligand binding'. + has positive regulatory component activity + + + + + + + + + + + 2017-05-24T09:36:08Z + A has necessary component activity B if A and B are GO molecular functions (GO_0003674), A has_component B and B is necessary for A. For example, ATPase coupled transporter activity has necessary component ATPase activity; transcript factor activity has necessary component DNA binding activity. + has necessary component activity + + + + + + + + + + 2017-05-24T09:44:33Z + A 'has component activity' B if A is A and B are molecular functions (GO_0003674) and A has_component B. + has component activity + + + + + + + + + + + w 'has process component' p if p and w are processes, w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + + 2017-05-24T09:49:21Z + has component process + + + + + + + + + A relationship that holds between between a receptor and an chemical entity, typically a small molecule or peptide, that carries information between cells or compartments of a cell and which binds the receptor and regulates its effector function. + + 2017-07-19T17:30:36Z + has ligand + + + + + + + + + Holds between p and c when p is a transport process or transporter activity and the outcome of this p is to move c from one location to another. + + 2017-07-20T17:11:08Z + transports + + + + + + + + + A relationship between a process and a barrier, where the process occurs in a region spanning the barrier. For cellular processes the barrier is typically a membrane. Examples include transport across a membrane and membrane depolarization. + + 2017-07-20T17:19:37Z + occurs across + + + + + + + + + + + 2017-09-17T13:52:24Z + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + directly regulated by + + + + + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + + + + + + + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + 2017-09-17T13:52:38Z + directly negatively regulated by + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + + + + + + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + 2017-09-17T13:52:47Z + directly positively regulated by + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + + + + + + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + 2017-09-22T14:14:36Z + This relation is designed for constructing compound molecular functions, typically in combination with one or more regulatory component activity relations. + has effector activity + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + + + + + + + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + 2017-12-07T12:58:06Z + in register with + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + + + + + + + + + David Osumi-Sutherland + <= + + Primitive instance level timing relation between events + before or simultaneous with + + + + + + + + + + + x simultaneous with y iff ω(x) = ω(y) and ω(α ) = ω(α), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point and '=' indicates the same instance in time. + + David Osumi-Sutherland + + t1 simultaneous_with t2 iff:= t1 before_or_simultaneous_with t2 and not (t1 before t2) + simultaneous with + + + + + + + + + + David Osumi-Sutherland + + t1 before t2 iff:= t1 before_or_simulataneous_with t2 and not (t1 simultaeous_with t2) + before + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002122 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which ends + + + + + + + + + + + + di + Previously had ID http://purl.obolibrary.org/obo/RO_0002124 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + encompasses + + + + + + + + + + + + + + David Osumi-Sutherland + + X ends_after Y iff: end(Y) before_or_simultaneous_with end(X) + ends after + + + + + + + + + + + + + + David Osumi-Sutherland + starts_at_end_of + X immediately_preceded_by Y iff: end(X) simultaneous_with start(Y) + immediately preceded by + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002123 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which starts + + + + + + + + + + + + + + David Osumi-Sutherland + + starts before + + + + + + + + + + + + + + David Osumi-Sutherland + ends_at_start_of + meets + + + X immediately_precedes_Y iff: end(X) simultaneous_with start(Y) + immediately precedes + + + + + + + + + + + David Osumi-Sutherland + io + + X starts_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (start(X) before_or_simultaneous_with end(Y)) + starts during + + + + + + + + + + + David Osumi-Sutherland + d + during + + + + + X happens_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (end(X) before_or_simultaneous_with end(Y)) + happens during + https://wiki.geneontology.org/Happens_during + + + + + + + + + David Osumi-Sutherland + o + overlaps + + X ends_during Y iff: ((start(Y) before_or_simultaneous_with end(X)) AND end(X) before_or_simultaneous_with end(Y). + ends during + + + + + + + + + + + + + + + + Relation between a neuron and a material anatomical entity that its soma is part of. + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0043025> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y) + + has soma location + + + + + + + + + + + + + relationship between a neuron and a neuron projection bundle (e.g.- tract or nerve bundle) that one or more of its projections travels through. + + + fasciculates with + (forall (?x ?y) + (iff + (fasciculates_with ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron ; CL_0000540" ?x) + ("neuron projection bundle ; CARO_0001001" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500' " ?npbs) + (part_of ?npbs ?y) + (part_of ?nps ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + fasciculates with + + + + + + + + + + + + + + + Relation between a neuron and some structure its axon forms (chemical) synapses in. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030424> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0042734> and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + axon synapses in + + + + + + + + + + + + + + + + + + + + + + Relation between an anatomical structure (including cells) and a neuron that chemically synapses to it. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that has_part some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + synapsed by + + + + + + + + + + + Every B cell[CL_0000236] has plasma membrane part some immunoglobulin complex[GO_0019814] + + Holds between a cell c and a protein complex or protein p if and only if that cell has as part a plasma_membrane[GO:0005886], and that plasma membrane has p as part. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0005886> and <http://purl.obolibrary.org/obo/BFO_0000051> some ?Y) + + has plasma membrane part + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Ib bouton. + + + BFO_0000051 some (GO_0061176 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Ib terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Ib_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Is bouton. + + + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Is terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Is_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type II bouton. + + + BFO_0000051 some (GO_0061175 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + Expands to: has_part some ('type II terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_II_bouton_to + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type II bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061174 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type II terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_II_bouton + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Ib bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061176 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Ib terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Ib_bouton + + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + + + synapsed in + http://purl.obolibrary.org/obo/BFO_0000051 some ( + http://purl.org/obo/owl/GO#GO_0045211 and http://purl.obolibrary.org/obo/BFO_0000050 some ( + http://purl.org/obo/owl/GO#GO_0045202 and http://purl.obolibrary.org/obo/BFO_0000050 some ?Y)) + + + has postsynaptic terminal in + + + + + + + + + + + has neurotransmitter + releases neurotransmitter + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Is bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061177 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Is terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Is_bouton + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + synapses in + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has presynaptic terminal in + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type III bouton. + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0097467 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type III terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_III_bouton_to + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type III bouton. + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0097467 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type III terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_III_bouton + + + + + + + + + + + + + + + + + + + + + Relation between a neuron and an anatomical structure (including cells) that it chemically synapses to. + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + N1 synapsed_to some N2 +Expands to: +N1 SubclassOf ( + has_part some ( + ‘pre-synaptic membrane ; GO:0042734’ that part_of some ( + ‘synapse ; GO:0045202’ that has_part some ( + ‘post-synaptic membrane ; GO:0045211’ that part_of some N2)))) + synapsed to + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which its dendrite receives synaptic input. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030425> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + http://purl.obolibrary.org/obo/GO_0042734 and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + dendrite synapsed in + + + + + + + + + + + + + + + A general relation between a neuron and some structure in which it either chemically synapses to some target or in which it receives (chemical) synaptic input. + + has synapse in + <http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has synaptic terminal in + + + + + + + + + + + + + + + + + + + + + + + + + + + x overlaps y if and only if there exists some z such that x has part z and z part of y + http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.obolibrary.org/obo/BFO_0000050 some ?Y) + + + + + overlaps + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + The relation between a neuron projection bundle and a neuron projection that is fasciculated with it. + + has fasciculating component + (forall (?x ?y) + (iff + (has_fasciculating_neuron_projection ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron projection bundle ; CARO_0001001" ?x) + ("neuron projection ; GO0043005" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500" ?npbs) + (part_of ?nps ?y) + (part_of ?npbs ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + + + + has fasciculating neuron projection + + + + + + + + + + + + + + Relation between a 'neuron projection bundle' and a region in which one or more of its component neuron projections either synapses to targets or receives synaptic input. +T innervates some R +Expands_to: T has_fasciculating_neuron_projection that synapse_in some R. + + <http://purl.obolibrary.org/obo/RO_0002132> some (<http://purl.obolibrary.org/obo/GO_0043005> that (<http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + innervates + + + + + + + + + + + + + X continuous_with Y if and only if X and Y share a fiat boundary. + + connected to + The label for this relation was previously connected to. I relabeled this to "continuous with". The standard notion of connectedness does not imply shared boundaries - e.g. Glasgow connected_to Edinburgh via M8; my patella connected_to my femur (via patellar-femoral joint) + + continuous with + FMA:85972 + + + + + + + + + + x partially overlaps y iff there exists some z such that z is part of x and z is part of y, and it is also the case that neither x is part of y or y is part of x + We would like to include disjointness axioms with part_of and has_part, however this is not possible in OWL2 as these are non-simple properties and hence cannot appear in a disjointness axiom + proper overlaps + (forall (?x ?y) + (iff + (proper_overlaps ?x ?y) + (and + (overlaps ?x ?y) + (not (part_of ?x ?y)) + (not (part_of ?y ?x))))) + + + partially overlaps + + + + + + + + + + + + d derived_by_descent_from a if d is specified by some genetic program that is sequence-inherited-from a genetic program that specifies a. + ancestral_stucture_of + evolutionarily_descended_from + derived by descent from + + + + + + + + + + + inverse of derived by descent from + + has derived by descendant + + + + + + + + + + + + + + + + two individual entities d1 and d2 stand in a shares_ancestor_with relation if and only if there exists some a such that d1 derived_by_descent_from a and d2 derived_by_descent_from a. + Consider obsoleting and merging with child relation, 'in homology relationship with' + VBO calls this homologous_to + shares ancestor with + + + + + + + + + + + + serially homologous to + + + + + + + + + lactation SubClassOf 'only in taxon' some 'Mammalia' + + x only in taxon y if and only if x is in taxon y, and there is no other organism z such that y!=z a and x is in taxon z. + The original intent was to treat this as a macro that expands to 'in taxon' only ?Y - however, this is not necessary if we instead have supplemental axioms that state that each pair of sibling tax have a disjointness axiom using the 'in taxon' property - e.g. + + 'in taxon' some Eukaryota DisjointWith 'in taxon' some Eubacteria + + + + only in taxon + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x is in taxon y if an only if y is an organism, and the relationship between x and y is one of: part of (reflexive), developmentally preceded by, derives from, secreted by, expressed. + + + + + + Connects a biological entity to its taxon of origin. + in taxon + + + + + + + + + + + A is spatially_disjoint_from B if and only if they have no parts in common + There are two ways to encode this as a shortcut relation. The other possibility to use an annotation assertion between two classes, and expand this to a disjointness axiom. + + + Note that it would be possible to use the relation to label the relationship between a near infinite number of structures - between the rings of saturn and my left earlobe. The intent is that this is used for parsiomoniously for disambiguation purposes - for example, between siblings in a jointly exhaustive pairwise disjointness hierarchy + BFO_0000051 exactly 0 (BFO_0000050 some ?Y) + + + spatially disjoint from + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + + + + + + + + + + + + + + + + + + + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + a is connected to b if and only if a and b are discrete structure, and there exists some connecting structure c, such that c connects a and b + + connected to + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + The M8 connects Glasgow and Edinburgh + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + c connects a if and only if there exist some b such that a and b are similar parts of the same system, and c connects b, specifically, c connects a with b. When one structure connects two others it unites some aspect of the function or role they play within the system. + + connects + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + a is attached to part of b if a is attached to b, or a is attached to some p, where p is part of b. + attached to part of (anatomical structure to anatomical structure) + attached to part of + + + + + + + + + true + + + + + + + + + Relation between an arterial structure and another structure, where the arterial structure acts as a conduit channeling fluid, substance or energy. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between an artery and an anatomical structure + + supplies + + + + + + + + + Relation between an collecting structure and another structure, where the collecting structure acts as a conduit channeling fluid, substance or energy away from the other structure. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between a vein and an anatomical structure + + drains + + + + + + + + + + w 'has component' p if w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + The definition of 'has component' is still under discussion. The challenge is in providing a definition that does not imply transitivity. + For use in recording has_part with a cardinality constraint, because OWL does not permit cardinality constraints to be used in combination with transitive object properties. In situations where you would want to say something like 'has part exactly 5 digit, you would instead use has_component exactly 5 digit. + + + has component + + + + + + + + + + + + + + + + + + + + + + A relationship that holds between a biological entity and a phenotype. Here a phenotype is construed broadly as any kind of quality of an organism part, a collection of these qualities, or a change in quality or qualities (e.g. abnormally increased temperature). The subject of this relationship can be an organism (where the organism has the phenotype, i.e. the qualities inhere in parts of this organism), a genomic entity such as a gene or genotype (if modifications of the gene or the genotype causes the phenotype), or a condition such as a disease (such that if the condition inheres in an organism, then the organism has the phenotype). + + + has phenotype + + + + + + + + + + inverse of has phenotype + + + + phenotype of + + + + + + + + + + + + + + x develops from y if and only if either (a) x directly develops from y or (b) there exists some z such that x directly develops from z and z develops from y + + + + + This is the transitive form of the develops from relation + develops from + + + + + + + + + + + + + inverse of develops from + + + + + develops into + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + definition "x has gene product of y if and only if y is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from x" + We would like to be able to express the rule: if t transcribed from g, and t is a noncoding RNA and has an evolved function, then t has gene product g. + + gene product of + + + + + + + + + + + + + + + every HOTAIR lncRNA is the gene product of some HOXC gene + every sonic hedgehog protein (PR:000014841) is the gene product of some sonic hedgehog gene + + x has gene product y if and only if x is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from y + + has gene product + + + + + + + + + + + + + + + + + + + + + + + + 'neural crest cell' SubClassOf expresses some 'Wnt1 gene' + + x expressed in y if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and the transcription of x is part of the gene expression process (iii) x is a mature gene product such as a protein, and x was translated or otherwise processes from a transcript that was transcribed as part of this gene expression process + + expressed in + + + + + + + + + + + + + + + + + + + + + + + + + + + Candidate definition: x directly_develops from y if and only if there exists some developmental process (GO:0032502) p such that x and y both participate in p, and x is the output of p and y is the input of p, and a substantial portion of the matter of x comes from y, and the start of x is coincident with or after the end of y. + + + FBbt + + has developmental precursor + TODO - add child relations from DOS + directly develops from + + + + + + + + + + A parasite that kills or sterilizes its host + parasitoid of + + + + + + + + + inverse of parasitoid of + + has parasitoid + + + + + + + + + + inverse of directly develops from + developmental precursor of + + directly develops into + + + + + + + + + + + + + + + + + + + + + + + + + p regulates q iff p is causally upstream of q, the execution of p is not constant and varies according to specific conditions, and p influences the rate or magnitude of execution of q due to an effect either on some enabler of q or some enabler of a part of q. + + + + + GO + Regulation precludes parthood; the regulatory process may not be within the regulated process. + regulates (processual) + false + + + + regulates + + + + + + + + + + + + + + + p negatively regulates q iff p regulates q, and p decreases the rate or magnitude of execution of q. + + + negatively regulates (process to process) + + + + + negatively regulates + + + + + + + + + + + + + + + + + + + + p positively regulates q iff p regulates q, and p increases the rate or magnitude of execution of q. + + + positively regulates (process to process) + + + + + positively regulates + + + + + + + + + + + + + + + + 'human p53 protein' SubClassOf some ('has prototype' some ('participates in' some 'DNA repair')) + heart SubClassOf 'has prototype' some ('participates in' some 'blood circulation') + + x has prototype y if and only if x is an instance of C and y is a prototypical instance of C. For example, every instance of heart, both normal and abnormal is related by the has prototype relation to some instance of a "canonical" heart, which participates in blood circulation. + Experimental. In future there may be a formalization in which this relation is treated as a shortcut to some modal logic axiom. We may decide to obsolete this and adopt a more specific evolutionary relationship (e.g. evolved from) + TODO: add homeomorphy axiom + This property can be used to make weaker forms of certain relations by chaining an additional property. For example, we may say: retina SubClassOf has_prototype some 'detection of light'. i.e. every retina is related to a prototypical retina instance which is detecting some light. Note that this is very similar to 'capable of', but this relation affords a wider flexibility. E.g. we can make a relation between continuants. + + has prototype + + + + + + + + + + + mechanosensory neuron capable of detection of mechanical stimulus involved in sensory perception (GO:0050974) + osteoclast SubClassOf 'capable of' some 'bone resorption' + A relation between a material entity (such as a cell) and a process, in which the material entity has the ability to carry out the process. + + has function realized in + + + For compatibility with BFO, this relation has a shortcut definition in which the expression "capable of some P" expands to "bearer_of (some realized_by only P)". + + capable of + + + + + + + + + + + + + + c stands in this relationship to p if and only if there exists some p' such that c is capable_of p', and p' is part_of p. + + has function in + capable of part of + + + + + + + + + + true + + + + + + + + OBSOLETE x actively participates in y if and only if x participates in y and x realizes some active role + + agent in + + Obsoleted as the inverse property was obsoleted. + obsolete actively participates in + true + + + + + + + + OBSOLETE x has participant y if and only if x realizes some active role that inheres in y + + has agent + + obsolete has active participant + true + + + + + + + + + + + x surrounded_by y if and only if (1) x is adjacent to y and for every region r that is adjacent to x, r overlaps y (2) the shared boundary between x and y occupies the majority of the outermost boundary of x + + + surrounded by + + + + + + + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + The epidermis layer of a vertebrate is adjacent to the dermis. + The plasma membrane of a cell is adjacent to the cytoplasm, and also to the cell lumen which the cytoplasm occupies. + The skin of the forelimb is adjacent to the skin of the torso if these are considered anatomical subdivisions with a defined border. Otherwise a relation such as continuous_with would be used. + + x adjacent to y if and only if x and y share a boundary. + This relation acts as a join point with BSPO + + + + + + adjacent to + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + + + + + + + + + + + inverse of surrounded by + + + + surrounds + + + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for relations between occurrents involving the relative timing of their starts and ends. + https://docs.google.com/document/d/1kBv1ep_9g3sTR-SD3jqzFqhuwo9TPNF-l-9fUDbO6rM/edit?pli=1 + + A relation that holds between two occurrents. This is a grouping relation that collects together all the Allen relations. + temporally related to + + + + + + + + + + + + inverse of starts with + + Chris Mungall + Allen + + starts + + + + + + + + + + + Every insulin receptor signaling pathway starts with the binding of a ligand to the insulin receptor + + x starts with y if and only if x has part y and the time point at which x starts is equivalent to the time point at which y starts. Formally: α(y) = α(x) ∧ ω(y) < ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + started by + + starts with + + + + + + + + + + + + + + x develops from part of y if and only if there exists some z such that x develops from z and z is part of y + + develops from part of + + + + + + + + + + + + + + + x develops_in y if x is located in y whilst x is developing + + EHDAA2 + Jonathan Bard, EHDAA2 + develops in + + + + + + + + + A sub-relation of parasite-of in which the parasite that cannot complete its life cycle without a host. + obligate parasite of + + + + + + + + + A sub-relations of parasite-of in which the parasite that can complete its life cycle independent of a host. + facultative parasite of + + + + + + + + + + + + inverse of ends with + + Chris Mungall + + ends + + + + + + + + + + + + x ends with y if and only if x has part y and the time point at which x ends is equivalent to the time point at which y ends. Formally: α(y) > α(x) ∧ ω(y) = ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + finished by + + ends with + + + + + + + + + + + + + + + + x 'has starts location' y if and only if there exists some process z such that x 'starts with' z and z 'occurs in' y + + starts with process that occurs in + + has start location + + + + + + + + + + + + + + + + x 'has end location' y if and only if there exists some process z such that x 'ends with' z and z 'occurs in' y + + ends with process that occurs in + + has end location + + + + + + + + + + + + + + + + p has input c iff: p is a process, c is a material entity, c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + consumes + + + + + has input + https://wiki.geneontology.org/Has_input + + + + + + + + + + + + + + + p has output c iff c is a participant in p, c is present at the end of p, and c is not present in the same state at the beginning of p. + + produces + + + + + has output + https://wiki.geneontology.org/Has_output + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host stem (PO:0009047) + stem parasite of + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host root (PO:0009005) + root parasite of + + + + + + + + + A sub-relation of parasite-of in which the parasite is a plant, and the parasite is parasitic under natural conditions and is also photosynthetic to some degree. Hemiparasites may just obtain water and mineral nutrients from the host plant. Many obtain at least part of their organic nutrients from the host as well. + hemiparasite of + + + + + + + + + X 'has component participant' Y means X 'has participant' Y and there is a cardinality constraint that specifies the numbers of Ys. + + This object property is needed for axioms using has_participant with a cardinality contrainsts; e.g., has_particpant min 2 object. However, OWL does not permit cardinality constrains with object properties that have property chains (like has_particant) or are transitive (like has_part). + +If you need an axiom that says 'has_participant min 2 object', you should instead say 'has_component_participant min 2 object'. + has component participant + + + + + + + + + A broad relationship between an exposure event or process and any entity (e.g., an organism, organism population, or an organism part) that interacts with an exposure stimulus during the exposure event. + ExO:0000001 + has exposure receptor + + + + + + + + + A broad relationship between an exposure event or process and any agent, stimulus, activity, or event that causes stress or tension on an organism and interacts with an exposure receptor during an exposure event. + ExO:0000000 + has exposure stressor + + + + + + + + + A broad relationship between an exposure event or process and a process by which the exposure stressor comes into contact with the exposure receptor + ExO:0000055 + has exposure route + + + + + + + + + A broad relationship between an exposure event or process and the course takes from the source to the target. + http://purl.obolibrary.org/obo/ExO_0000004 + has exposure transport path + + + + + + + + + + Any relationship between an exposure event or process and any other entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving exposure events or processes. + related via exposure to + + + + + + + + + g is over-expressed in t iff g is expressed in t, and the expression level of g is increased relative to some background. + over-expressed in + + + + + + + + + g is under-expressed in t iff g is expressed in t, and the expression level of g is decreased relative to some background. + under-expressed in + + + + + + + + + + + + Any portion of roundup 'has active ingredient' some glyphosate + A relationship that holds between a substance and a chemical entity, if the chemical entity is part of the substance, and the chemical entity forms the biologically active component of the substance. + has active substance + has active pharmaceutical ingredient + has active ingredient + + + + + + + + + inverse of has active ingredient + + active ingredient in + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is connecting branch of S, and B1-1 as a connecting branch of B1. + b connecting-branch-of s iff b is connected to s, and there exists some tree-like structure t such that the mereological sum of b plus s is either the same as t or a branching-part-of t. + + connecting branch of + + + + + + + + + + inverse of connecting branch of + + + has connecting branch + + + + + + + + + + + + + + + + Mammalian thymus has developmental contribution from some pharyngeal pouch 3; Mammalian thymus has developmental contribution from some pharyngeal pouch 4 [Kardong] + + x has developmental contribution from y iff x has some part z such that z develops from y + + has developmental contribution from + + + + + + + + + + + + + + + inverse of has developmental contribution from + + + developmentally contributes to + + + + + + + + + + + + + t1 induced_by t2 if there is a process of developmental induction (GO:0031128) with t1 and t2 as interacting participants. t2 causes t1 to change its fate from a precursor material anatomical entity type T to T', where T' develops_from T + + + + induced by + + Developmental Biology, Gilbert, 8th edition, figure 6.5(F) + GO:0001759 + We place this under 'developmentally preceded by'. This placement should be examined in the context of reciprocal inductions[cjm] + developmentally induced by + + + + + + + + + + + Inverse of developmentally induced by + + developmentally induces + + + + + + + + + + + + + Candidate definition: x developmentally related to y if and only if there exists some developmental process (GO:0032502) p such that x and y both participates in p, and x is the output of p and y is the input of p + false + + In general you should not use this relation to make assertions - use one of the more specific relations below this one + This relation groups together various other developmental relations. It is fairly generic, encompassing induction, developmental contribution and direct and transitive develops from + developmentally preceded by + + + + + + + + + c has-biological-role r iff c has-role r and r is a biological role (CHEBI:24432) + has biological role + + + + + + + + + c has-application-role r iff c has-role r and r is an application role (CHEBI:33232) + has application role + + + + + + + + + c has-chemical-role r iff c has-role r and r is a chemical role (CHEBI:51086) + has chemical role + + + + + + + + + + + + + A faulty traffic light (material entity) whose malfunctioning (a process) is causally upstream of a traffic collision (a process): the traffic light acts upstream of the collision. + c acts upstream of p if and only if c enables some f that is involved in p' and p' occurs chronologically before p, is not part of p, and affects the execution of p. c is a material entity and f, p, p' are processes. + + acts upstream of + + + + + + + + + + + + + + A gene product that has some activity, where that activity may be a part of a pathway or upstream of the pathway. + c acts upstream of or within p if c is enables f, and f is causally upstream of or within p. c is a material entity and p is an process. + affects + + acts upstream of or within + https://wiki.geneontology.org/Acts_upstream_of_or_within + + + + + + + + + + x developmentally replaces y if and only if there is some developmental process that causes x to move or to cease to exist, and for the site that was occupied by x to become occupied by y, where y either comes into existence in this site or moves to this site from somewhere else + This relation is intended for cases such as when we have a bone element replacing its cartilage element precursor. Currently most AOs represent this using 'develops from'. We need to decide whether 'develops from' will be generic and encompass replacement, or whether we need a new name for a generic relation that encompasses replacement and development-via-cell-lineage + + replaces + developmentally replaces + + + + + + + + + + Inverse of developmentally preceded by + + developmentally succeeded by + + + + + + + + + + + + + 'hypopharyngeal eminence' SubClassOf 'part of precursor of' some tongue + + + part of developmental precursor of + + + + + + + + + + + x is ubiquitously expressed in y if and only if x is expressed in y, and the majority of cells in y express x + Revisit this term after coordinating with SO/SOM. The domain of this relation should be a sequence, as an instance of a DNA molecule is only expressed in the cell of which it is a part. + + ubiquitously expressed in + + + + + + + + + + y expresses x if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and x was transcribed from a gene as part of the gene expression process (iii) x is a mature gene product (protein or RNA), and x was translated or otherwise processed from a transcript that was transcribed as part of the gene expression process. + + expresses + + + + + + + + + + inverse of ubiquiotously expressed in + + + ubiquitously expresses + + + + + + + + + + + + p results in the developmental progression of s iff p is a developmental process and s is an anatomical entity and p causes s to undergo a change in state at some point along its natural developmental cycle (this cycle starts with its formation, through the mature structure, and ends with its loss). + This property and its subproperties are being used primarily for the definition of GO developmental processes. The property hierarchy mirrors the core GO hierarchy. In future we may be able to make do with a more minimal set of properties, but due to the way GO is currently structured we require highly specific relations to avoid incorrect entailments. To avoid this, the corresponding genus terms in GO should be declared mutually disjoint. + + results in developmental progression of + + + + + + + + + + + every flower development (GO:0009908) results in development of some flower (PO:0009046) + + p 'results in development of' c if and only if p is a developmental process and p results in the state of c changing from its initial state as a primordium or anlage through its mature state and to its final state. + + http://www.geneontology.org/GO.doc.development.shtml + + + + results in development of + + + + + + + + + + + an annotation of gene X to anatomical structure formation with results_in_formation_of UBERON:0000007 (pituitary gland) means that at the beginning of the process a pituitary gland does not exist and at the end of the process a pituitary gland exists. + every "endocardial cushion formation" (GO:0003272) results_in_formation_of some "endocardial cushion" (UBERON:0002062) + + + GOC:mtg_berkeley_2013 + + + + results in formation of + + + + + + + + + + an annotation of gene X to cell morphogenesis with results_in_morphogenesis_of CL:0000540 (neuron) means that at the end of the process an input neuron has attained its shape. + tongue morphogenesis (GO:0043587) results in morphogenesis of tongue (UBERON:0001723) + + The relationship that links an entity with the process that results in the formation and shaping of that entity over time from an immature to a mature state. + + GOC:mtg_berkeley_2013 + + + + results in morphogenesis of + + + + + + + + + + an annotation of gene X to cell maturation with results_in_maturation_of CL:0000057 (fibroblast) means that the fibroblast is mature at the end of the process + bone maturation (GO:0070977) results_in_maturation_of bone (UBERON:0001474) + + The relationship that links an entity with a process that results in the progression of the entity over time that is independent of changes in it's shape and results in an end point state of that entity. + + GOC:mtg_berkeley_2013 + + + + results in maturation of + + + + + + + + + foramen ovale closure SubClassOf results in disappearance of foramen ovale + + + May be merged into parent relation + results in disappearance of + + + + + + + + + every mullerian duct regression (GO:0001880) results in regression of some mullerian duct (UBERON:0003890) + + + May be merged into parent relation + results in developmental regression of + + + + + + + + + + Inverse of 'is substance that treats' + + + is treated by substance + + + + + + + + + + + Hydrozoa (NCBITaxon_6074) SubClassOf 'has habitat' some 'Hydrozoa habitat' +where +'Hydrozoa habitat' SubClassOf overlaps some ('marine environment' (ENVO_00000569) and 'freshwater environment' (ENVO_01000306) and 'wetland' (ENVO_00000043)) and 'has part' some (freshwater (ENVO_00002011) or 'sea water' (ENVO_00002149)) -- http://eol.org/pages/1795/overview + + x 'has habitat' y if and only if: x is an organism, y is a habitat, and y can sustain and allow the growth of a population of xs. + + adapted for living in + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to exist and grow in y. + has habitat + + + + + + + + + + p is causally upstream of, positive effect q iff p is casually upstream of q, and the execution of p is required for the execution of q. + + + + + holds between x and y if and only if x is causally upstream of y and the progression of x increases the frequency, rate or extent of y + causally upstream of, positive effect + + + + + + + + + + + p is causally upstream of, negative effect q iff p is casually upstream of q, and the execution of p decreases the execution of q. + + + + + causally upstream of, negative effect + + + + + + + + + + A relationship between an exposure event or process and any agent, stimulus, activity, or event that causally effects an organism and interacts with an exposure receptor during an exposure event. + + + + + 2017-06-05T17:35:04Z + has exposure stimulus + + + + + + + + + + evolutionary variant of + + + + + + + + + + Holds between p and c when p is a localization process (localization covers maintenance of localization as well as its establishment) and the outcome of this process is to regulate the localization of c. + + regulates localization of + + + + transports or maintains localization of + + + + + + + + + + + + + + + + + q characteristic of part of w if and only if there exists some p such that q inheres in p and p part of w. + Because part_of is transitive, inheres in is a sub-relation of characteristic of part of + + inheres in part of + + + characteristic of part of + + + + + + + + + + true + + + + + + + + + + + an annotation of gene X to cell differentiation with results_in_maturation_of CL:0000057 (fibroblast) means that at the end of the process the input cell that did not have features of a fibroblast, now has the features of a fibroblast. + The relationship that links a specified entity with the process that results in an unspecified entity acquiring the features and characteristics of the specified entity + + GOC:mtg_berkeley_2013 + + + + results in acquisition of features of + + + + + + + + A relationship that holds via some environmental process + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the process of evolution. + evolutionarily related to + + + + + + + + A relationship that is mediated in some way by the environment or environmental feature (ENVO:00002297) + Awaiting class for domain/range constraint, see: https://github.com/OBOFoundry/Experimental-OBO-Core/issues/6 + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving ecological interactions + + ecologically related to + + + + + + + + + + An experimental relation currently used to connect a feature possessed by an organism (e.g. anatomical structure, biological process, phenotype or quality) to a habitat or environment in which that feature is well suited, adapted or provides a reproductive advantage for the organism. For example, fins to an aquatic environment. Usually this will mean that the structure is adapted for this environment, but we avoid saying this directly - primitive forms of the structure may not have evolved specifically for that environment (for example, early wings were not necessarily adapted for an aerial environment). Note also that this is a statement about the general class of structures - not every instance of a limb need confer an advantage for a terrestrial environment, e.g. if the limb is vestigial. + + adapted for + + confers advantage in + + + + + + + + A mereological relationship or a topological relationship + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving parthood or connectivity relationships + + mereotopologically related to + + + + + + + + A relationship that holds between entities participating in some developmental process (GO:0032502) + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving organismal development + developmentally related to + + + + + + + + + + + Clp1p relocalizes from the nucleolus to the spindle and site of cell division; i.e. it is associated transiently with the spindle pole body and the contractile ring (evidence from GFP fusion). Clp1p colocalizes_with spindle pole body (GO:0005816) and contractile ring (GO:0005826) + a colocalizes_with b if and only if a is transiently or peripherally associated with b[GO]. + + In the context of the Gene Ontology, colocalizes_with may be used for annotating to cellular component terms[GO] + + colocalizes with + + + + + + + + + + ATP citrate lyase (ACL) in Arabidopsis: it is a heterooctamer, composed of two types of subunits, ACLA and ACLB in a A(4)B(4) stoichiometry. Neither of the subunits expressed alone give ACL activity, but co-expression results in ACL activity. Both subunits contribute_to the ATP citrate lyase activity. + Subunits of nuclear RNA polymerases: none of the individual subunits have RNA polymerase activity, yet all of these subunits contribute_to DNA-dependent RNA polymerase activity. + eIF2: has three subunits (alpha, beta, gamma); one binds GTP; one binds RNA; the whole complex binds the ribosome (all three subunits are required for ribosome binding). So one subunit is annotated to GTP binding and one to RNA binding without qualifiers, and all three stand in the contributes_to relationship to "ribosome binding". And all three are part_of an eIF2 complex + We would like to say + +if and only if + exists c', p' + c part_of c' and c' capable_of p + and + c capable_of p' and p' part_of p +then + c contributes_to p + +However, this is not possible in OWL. We instead make this relation a sub-relation of the two chains, which gives us the inference in the one direction. + + In the context of the Gene Ontology, contributes_to may be used only with classes from the molecular function ontology. + + contributes to + https://wiki.geneontology.org/Contributes_to + + + + + + + + + + + + + + + + + + a particular instances of akt-2 enables some instance of protein kinase activity + c enables p iff c is capable of p and c acts to execute p. + + catalyzes + executes + has + is catalyzing + is executing + This relation differs from the parent relation 'capable of' in that the parent is weaker and only expresses a capability that may not be actually realized, whereas this relation is always realized. + + enables + https://wiki.geneontology.org/Enables + + + + + + + + A grouping relationship for any relationship directly involving a function, or that holds because of a function of one of the related entities. + + This is a grouping relation that collects relations used for the purpose of connecting structure and function + functionally related to + + + + + + + + + + + + + this relation holds between c and p when c is part of some c', and c' is capable of p. + + false + part of structure that is capable of + + + + + + + + + true + + + + + + + + + + holds between two entities when some genome-level process such as gene expression is involved. This includes transcriptional, spliceosomal events. These relations can be used between either macromolecule entities (such as regions of nucleic acid) or between their abstract informational counterparts. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving the genome of an organism + genomically related to + + + + + + + + + + + + + + + + + + c involved_in p if and only if c enables some process p', and p' is part of p + + actively involved in + enables part of + involved in + https://wiki.geneontology.org/Involved_in + + + + + + + + + + + every cellular sphingolipid homeostasis process regulates_level_of some sphingolipid + p regulates levels of c if p regulates some amount (PATO:0000070) of c + + + regulates levels of (process to entity) + regulates levels of + + + + + + + + + + inverse of enables + + + enabled by + https://wiki.geneontology.org/Enabled_by + + + + + + + + + + + + inverse of regulates + + regulated by (processual) + + regulated by + + + + + + + + + inverse of negatively regulates + + + negatively regulated by + + + + + + + + + inverse of positively regulates + + + positively regulated by + + + + + + + + + + A relationship that holds via some process of localization + + Do not use this relation directly. It is a grouping relation. + related via localization to + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from some initial location l to some destination. + + + + + has target start location + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from a an initial location to some destination l. + + + + + has target end location + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the start location of c is part of the region that surrounds s. + + + imports + + + + + + + + + Holds between p and l when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that is aligned_with l + + results in transport along + + + + + + + + + + Holds between p and m when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that crosses m. + + + results in transport across + + + + + + + + + + 'pollen tube growth' results_in growth_of some 'pollen tube' + + results in growth of + + + + + + + + + 'mitochondrial transport' results_in_transport_to_from_or_in some mitochondrion (GO:0005739) + + results in transport to from or in + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the end location of c is part of the region that surrounds s. + + + exports + + + + + + + + + + an annotation of gene X to cell commitment with results_in_commitment_to CL:0000540 (neuron) means that at the end of the process an unspecified cell has been specified and determined to develop into a neuron. + p 'results in commitment to' c if and only if p is a developmental process and c is a cell and p results in the state of c changing such that is can only develop into a single cell type. + + + + + results in commitment to + + + + + + + + + + p 'results in determination of' c if and only if p is a developmental process and c is a cell and p results in the state of c changing to be determined. Once a cell becomes determined, it becomes committed to differentiate down a particular pathway regardless of its environment. + + + + + results in determination of + + + + + + + + + + An organism that is a member of a population of organisms + is member of is a mereological relation between a item and a collection. + is member of + member part of + SIO + + member of + + + + + + + + + + has member is a mereological relation between a collection and an item. + SIO + + has member + + + + + + + + + + inverse of has input + + + + input of + + + + + + + + + + inverse of has output + + + + output of + + + + + + + + + + formed as result of + + + + + + + + + + A relationship between a process and an anatomical entity such that the process contributes to the act of creating the structural organization of the anatomical entity. + + results in structural organization of + + + + + + + + + + The relationship linking a cell and its participation in a process that results in the fate of the cell being specified. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. + + + + + results in specification of + + + + + + + + + p results in developmental induction of c if and only if p is a collection of cell-cell signaling processes that signal to a neighbouring tissue that is the precursor of the mature c, where the signaling results in the commitment to cell types necessary for the formation of c. + + results in developmental induction of + + + + + + + + + + http://neurolex.org/wiki/Property:DendriteLocation + has dendrite location + + + + + + + + + + + a is attached to b if and only if a and b are discrete objects or object parts, and there are physical connections between a and b such that a force pulling a will move b, or a force pulling b will move a + + attached to (anatomical structure to anatomical structure) + + attached to + + + + + + + + + + + m has_muscle_origin s iff m is attached_to s, and it is the case that when m contracts, s does not move. The site of the origin tends to be more proximal and have greater mass than what the other end attaches to. + + Wikipedia:Insertion_(anatomy) + has muscle origin + + + + + + + We need to import uberon muscle to create a stricter domain constraint + + + + + + + + + + + m has_muscle_insertion s iff m is attaches_to s, and it is the case that when m contracts, s moves. Insertions are usually connections of muscle via tendon to bone. + + Wikipedia:Insertion_(anatomy) + has muscle insertion + + + + + + + We need to import uberon muscle into RO to use as a stricter domain constraint + + + + + + + + + false + + x has_fused_element y iff: there exists some z : x has_part z, z homologous_to y, and y is a distinct element, the boundary between x and z is largely fiat + + + has fused element + A has_fused_element B does not imply that A has_part some B: rather than A has_part some B', where B' that has some evolutionary relationship to B. + derived from ancestral fusion of + + + + + + + + + + + + A relationship that holds between two material entities in a system of connected structures, where the branching relationship holds based on properties of the connecting network. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving branching relationships + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (plant branches and roots, leaf veins, animal veins, arteries, nerves) + + in branching relationship with + + https://github.com/obophenotype/uberon/issues/170 + + + + + + + + + + Deschutes River tributary_of Columbia River + inferior epigastric vein tributary_of external iliac vein + + x tributary_of y if and only if x a channel for the flow of a substance into y, where y is larger than x. If x and y are hydrographic features, then y is the main stem of a river, or a lake or bay, but not the sea or ocean. If x and y are anatomical, then y is a vein. + + drains into + drains to + tributary channel of + http://en.wikipedia.org/wiki/Tributary + http://www.medindia.net/glossary/venous_tributary.htm + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (veins, arteries) + + tributary of + + http://en.wikipedia.org/wiki/Tributary + + + + + + + + + + Deschutes River distributary_of Little Lava Lake + + x distributary_of y if and only if x is capable of channeling the flow of a substance to y, where y channels less of the substance than x + + branch of + distributary channel of + http://en.wikipedia.org/wiki/Distributary + + This is both a mereotopological relationship and a relationship defined in connection to processes. It concerns both the connecting structure, and how this structure is disposed to causally affect flow processes + distributary of + + + + + + + + + + + + + + + + + x anabranch_of y if x is a distributary of y (i.e. it channels a from a larger flow from y) and x ultimately channels the flow back into y. + + anastomoses with + + anabranch of + + + + + + + + + + + + + + + A lump of clay and a statue + x spatially_coextensive_with y if and inly if x and y have the same location + + This relation is added for formal completeness. It is unlikely to be used in many practical scenarios + spatially coextensive with + + + + + + + + + + + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is a (direct) branching part of T. B1-1, B1-2, and B1-3 are also branching parts of T, but these are considered indirect branching parts as they do not directly connect to the main stem S + x is a branching part of y if and only if x is part of y and x is connected directly or indirectly to the main stem of y + + + branching part of + + FMA:85994 + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, S is the main stem of T. There are no other main stems. If we were to slice off S to get a new tree T', rooted at the root of B1, then B1 would be the main stem of T'. + + x main_stem_of y if y is a branching structure and x is a channel that traces a linear path through y, such that x has higher capacity than any other such path. + + + main stem of + + + + + + + + + + + x proper_distributary_of y iff x distributary_of y and x does not flow back into y + + + proper distributary of + + + + + + + + + + x proper_tributary_of y iff x tributary_of y and x does not originate from y + + + proper tributary of + + + + + + + + + + + + x has developmental potential involving y iff x is capable of a developmental process with output y. y may be the successor of x, or may be a different structure in the vicinity (as for example in the case of developmental induction). + + has developmental potential involving + + + + + + + + + + x has potential to developmentrally contribute to y iff x developmentally contributes to y or x is capable of developmentally contributing to y + + has potential to developmentally contribute to + + + + + + + + + + x has potential to developmentally induce y iff x developmentally induces y or x is capable of developmentally inducing y + + has potential to developmentally induce + + + + + + + + + + x has the potential to develop into y iff x develops into y or if x is capable of developing into y + + has potential to develop into + + + + + + + + + + x has potential to directly develop into y iff x directly develops into y or x is capable of directly developing into y + + has potential to directly develop into + + + + + + + + + + + + + 'protein catabolic process' SubClassOf has_direct_input some protein + + p has direct input c iff c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + directly consumes + This is likely to be obsoleted. A candidate replacement would be a new relation 'has bound input' or 'has substrate' + has direct input + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect input + true + + + + + + + + translation SubClassOf has_direct_output some protein + + p has direct input c iff c is a participanti n p, c is present at the end of p, and c is not present at the beginning of c. + + directly produces + obsolete has direct output + true + + + + + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect output + true + + + + + + + + + + + + inverse of upstream of + + causally downstream of + + + + + + + + + + + + + immediately causally downstream of + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly positively regulates'. + obsolete directly activates + true + + + + + + + + + + + + + + + + + + + + + + + + + + + p indirectly positively regulates q iff p is indirectly causally upstream of q and p positively regulates q. + + indirectly activates + + indirectly positively regulates + https://wiki.geneontology.org/Indirectly_positively_regulates + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly negatively regulates'. + obsolete directly inhibits + true + + + + + + + + + + + + + + + + + + + + + + + p indirectly negatively regulates q iff p is indirectly causally upstream of q and p negatively regulates q. + + indirectly inhibits + + indirectly negatively regulates + https://wiki.geneontology.org/Indirectly_negatively_regulates + + + + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + This branch of the ontology deals with causal relations between entities. It is divided into two branches: causal relations between occurrents/processes, and causal relations between material entities. We take an 'activity flow-centric approach', with the former as primary, and define causal relations between material entities in terms of causal relations between occurrents. + +To define causal relations in an activity-flow type network, we make use of 3 primitives: + + * Temporal: how do the intervals of the two occurrents relate? + * Is the causal relation regulatory? + * Is the influence positive or negative? + +The first of these can be formalized in terms of the Allen Interval Algebra. Informally, the 3 bins we care about are 'direct', 'indirect' or overlapping. Note that all causal relations should be classified under a RO temporal relation (see the branch under 'temporally related to'). Note that all causal relations are temporal, but not all temporal relations are causal. Two occurrents can be related in time without being causally connected. We take causal influence to be primitive, elucidated as being such that has the upstream changed, some qualities of the donwstream would necessarily be modified. + +For the second, we consider a relationship to be regulatory if the system in which the activities occur is capable of altering the relationship to achieve some objective. This could include changing the rate of production of a molecule. + +For the third, we consider the effect of the upstream process on the output(s) of the downstream process. If the level of output is increased, or the rate of production of the output is increased, then the direction is increased. Direction can be positive, negative or neutral or capable of either direction. Two positives in succession yield a positive, two negatives in succession yield a positive, otherwise the default assumption is that the net effect is canceled and the influence is neutral. + +Each of these 3 primitives can be composed to yield a cross-product of different relation types. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causally related to + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + https://en.wikipedia.org/wiki/Causality + + + + + + + + + + + p is causally upstream of q iff p is causally related to q, the end of p precedes the end of q, and p is not an occurrent part of q. + + + + causally upstream of + + + + + + + + + + p is immediately causally upstream of q iff p is causally upstream of q, and the end of p is coincident with the beginning of q. + + + immediately causally upstream of + + + + + + + + + + + + + + p provides input for q iff p is immediately causally upstream of q, and there exists some c such that p has_output c and q has_input c. + + directly provides input for + + directly provides input for (process to process) + provides input for + https://wiki.geneontology.org/Provides_input_for + + + + + + + + + + + + + transitive form of directly_provides_input_for + + This is a grouping relation that should probably not be used in annotation. Consider instead the child relation 'provides input for'. + transitively provides input for (process to process) + transitively provides input for + + + + + + + + + + + p is 'causally upstream or within' q iff p is causally related to q, and the end of p precedes, or is coincident with, the end of q. + We would like to make this disjoint with 'preceded by', but this is prohibited in OWL2 + + influences (processual) + affects + causally upstream of or within + + + + + + + + false + + This is an exploratory relation + differs in + https://code.google.com/p/phenotype-ontologies/w/edit/PhenotypeModelCompetencyQuestions + + + + + + + + + + + + + + + + + + differs in attribute of + + + + + + + + + + + differs in attribute + + + + + + + + + + inverse of causally upstream of or within + + + + causally downstream of or within + + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' regulates some p + + involved in regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' positively regulates some p + + + involved in positive regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' negatively regulates some p + + + involved in negative regulation of + + + + + + + + + + + c involved in or regulates p if and only if either (i) c is involved in p or (ii) c is involved in regulation of p + OWL does not allow defining object properties via a Union + + involved in or reguates + involved in or involved in regulation of + + + + + + + + + + + + + + A protein that enables activity in a cytosol. + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + executes activity in + enables activity in + + is active in + https://wiki.geneontology.org/Is_active_in + + + + + + + + + true + + + + + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + + + + + + + + + + p contributes to morphology of w if and only if a change in the morphology of p entails a change in the morphology of w. Examples: every skull contributes to morphology of the head which it is a part of. Counter-example: nuclei do not generally contribute to the morphology of the cell they are part of, as they are buffered by cytoplasm. + + contributes to morphology of + + + + + + + + + + + A relationship that holds between two entities in which the processes executed by the two entities are causally connected. + This relation and all sub-relations can be applied to either (1) pairs of entities that are interacting at any moment of time (2) populations or species of entity whose members have the disposition to interact (3) classes whose members have the disposition to interact. + Considering relabeling as 'pairwise interacts with' + + Note that this relationship type, and sub-relationship types may be redundant with process terms from other ontologies. For example, the symbiotic relationship hierarchy parallels GO. The relations are provided as a convenient shortcut. Consider using the more expressive processual form to capture your data. In the future, these relations will be linked to their cognate processes through rules. + in pairwise interaction with + + interacts with + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + http://purl.obolibrary.org/obo/MI_0914 + + + + + + + + + + An interaction that holds between two genetic entities (genes, alleles) through some genetic interaction (e.g. epistasis) + + genetically interacts with + + http://purl.obolibrary.org/obo/MI_0208 + + + + + + + + + + An interaction relationship in which the two partners are molecular entities that directly physically interact with each other for example via a stable binding interaction or a brief interaction during which one modifies the other. + + binds + molecularly binds with + molecularly interacts with + + http://purl.obolibrary.org/obo/MI_0915 + + + + + + + + + + + + + An interaction relationship in which at least one of the partners is an organism and the other is either an organism or an abiotic entity with which the organism interacts. + + interacts with on organism level + + biotically interacts with + + http://eol.org/schema/terms/interactsWith + + + + + + + + + An interaction relationship in which the partners are related via a feeding relationship. + + + trophically interacts with + + + + + + + + + + + A wasp killing a Monarch larva in order to feed to offspring [http://www.inaturalist.org/observations/2942824] + Baleen whale preys on krill + An interaction relationship involving a predation process, where the subject kills the target in order to eat it or to feed to siblings, offspring or group members + + + + is subject of predation interaction with + preys upon + + preys on + http://eol.org/schema/terms/preysUpon + http://www.inaturalist.org/observations/2942824 + + + + + + + + + + + + + + + + + A biotic interaction in which the two organisms live together in more or less intimate association. + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + We follow GO and PAMGO in using 'symbiosis' as the broad term encompassing mutualism through parasitism + + symbiotically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which one benefits and the other is unaffected (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + commensually interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which both organisms benefit from each other (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + mutualistically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which association is disadvantageous or destructive to one of the organisms (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + This relation groups a pair of inverse relations, parasite of and parasitized by + + interacts with via parasite-host interaction + + + + + + + + + + + + + + + + + + Pediculus humanus capitis parasite of human + + parasitizes + direct parasite of + + parasite of + http://eol.org/schema/terms/parasitizes + + + + + + + + + + + has parasite + parasitised by + directly parasitized by + + parasitized by + http://eol.org/schema/terms/hasParasite + + + + + + + + + Porifiera attaches to substrate + A biotic interaction relationship in which one partner is an organism and the other partner is inorganic. For example, the relationship between a sponge and the substrate to which is it anchored. + + semibiotically interacts with + + participates in a abiotic-biotic interaction with + + + + + + + + + + + + + + + Axiomatization to GO to be added later + + An interaction relation between x and y in which x catalyzes a reaction in which a phosphate group is added to y. + phosphorylates + + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that regulates an activity performed by B. For example, A and B may be gene products and binding of B by A regulates the kinase activity of B. + +A and B can be physically interacting but not necessarily. Immediately upstream means there are no intermediate entity between A and B. + + + molecularly controls + directly regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that negatively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A negatively regulates the kinase activity of B. + + + directly inhibits + molecularly decreases activity of + directly negatively regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that positively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A positively regulates the kinase activity of B. + + + directly activates + molecularly increases activity of + directly positively regulates activity of + + + + + + + + + all dengue disease transmitted by some mosquito + A relationship that holds between a disease and organism + Add domain and range constraints + + transmitted by + + + + + + + + + + A relation that holds between a disease or an organism and a phenotype + + has symptom + + + + + + + + + + The term host is usually used for the larger (macro) of the two members of a symbiosis (GO) + + host of + + + + + + + + + X 'has host' y if and only if: x is an organism, y is an organism, and x can live on the surface of or within the body of y + + + has host + http://eol.org/schema/terms/hasHost + + + + + + + + + + Bees pollinate Flowers + This relation is intended to be used for biotic pollination - e.g. a bee pollinating a flowering plant. Some kinds of pollination may be semibiotic - e.g. wind can have the role of pollinator. We would use a separate relation for this. + + is subject of pollination interaction with + + pollinates + http://eol.org/schema/terms/pollinates + + + + + + + + + + has polinator + is target of pollination interaction with + + pollinated by + http://eol.org/schema/terms/hasPollinator + + + + + + + + + + + Intended to be used when the target of the relation is not itself consumed, and does not have integral parts consumed, but provided nutrients in some other fashion. + + acquires nutrients from + + + + + + + + + inverse of preys on + + has predator + is target of predation interaction with + + + preyed upon by + http://eol.org/schema/terms/HasPredator + http://polytraits.lifewatchgreece.eu/terms/PRED + + + + + + + + + + Anopheles is a vector for Plasmodium + + a is a vector for b if a carries and transmits an infectious pathogen b into another living organism + + is vector for + + + + + + + + + + + has vector + + + + + + + + + + Experimental: relation used for defining interaction relations. An interaction relation holds when there is an interaction event with two partners. In a directional interaction, one partner is deemed the subject, the other the target + partner in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'subject participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the subject is the predator. We can imagine a reciprocal prey-predatory process with subject and object reversed. + subject participant in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'target participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the target is the prey. We can imagine a reciprocal prey-predatory process with subject and object reversed. + target participant in + + + + + + + + + This property or its subproperties is not to be used directly. These properties exist as helper properties that are used to support OWL reasoning. + helper property (not for use in curation) + + + + + + + + + + is symbiosis + + + + + + + + + + is commensalism + + + + + + + + + + is mutualism + + + + + + + + + + is parasitism + + + + + + + + + + + provides nutrients for + + + + + + + + + + is subject of eating interaction with + + eats + + + + + + + + + + eaten by + is target of eating interaction with + + is eaten by + + + + + + + + + + A relationship between a piece of evidence a and some entity b, where b is an information content entity, material entity or process, and +the a supports either the existence of b, or the truth value of b. + + + is evidence for + + + + + + + + + + + 'otolith organ' SubClassOf 'composed primarily of' some 'calcium carbonate' + x composed_primarily_of y if and only if more than half of the mass of x is made from y or units of the same type as y. + + + + + composed primarily of + + + + + + + + + + + ABal nucleus child nucleus of ABa nucleus (in C elegans) + c is a child nucleus of d if and only if c and d are both nuclei and parts of cells c' and d', where c' is derived from d' by mitosis and the genetic material in c is a copy of the generic material in d + + This relation is primarily used in the worm anatomy ontology for representing lineage at the level of nuclei. However, it is applicable to any organismal cell lineage. + child nucleus of + + + + + + + + + A child nucleus relationship in which the cells are part of a hermaphroditic organism + + child nucleus of in hermaphrodite + + + + + + + + + A child nucleus relationship in which the cells are part of a male organism + + child nucleus of in male + + + + + + + + + + + + + + p has part that occurs in c if and only if there exists some p1, such that p has_part p1, and p1 occurs in c. + + + has part that occurs in + + + + + + + + + true + + + + + + + + + + + + + + An interaction relation between x and y in which x catalyzes a reaction in which one or more ubiquitin groups are added to y + Axiomatization to GO to be added later + + ubiquitinates + + + + + + + + + + is kinase activity + + + + + + + + + + is ubiquitination + + + + + + + + + + See notes for inverse relation + + receives input from + + + + + + + + + This is an exploratory relation. The label is taken from the FMA. It needs aligned with the neuron-specific relations such as has postsynaptic terminal in. + + sends output to + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, typically connecting an anatomical entity to a biological process or developmental stage. + relation between physical entity and a process or stage + + + + + + + + + + + + + + + + + + x existence starts during y if and only if the time point at which x starts is after or equivalent to the time point at which y starts and before or equivalent to the time point at which y ends. Formally: x existence starts during y iff α(x) >= α(y) & α(x) <= ω(y). + + existence starts during + + + + + + + + + x starts ends with y if and only if the time point at which x starts is equivalent to the time point at which y starts. Formally: x existence starts with y iff α(x) = α(y). + + existence starts with + + + + + + + + + x existence overlaps y if and only if either (a) the start of x is part of y or (b) the end of x is part of y. Formally: x existence starts and ends during y iff (α(x) >= α(y) & α(x) <= ω(y)) OR (ω(x) <= ω(y) & ω(x) >= α(y)) + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence overlaps + + + + + + + + + + x exists during y if and only if: 1) the time point at which x begins to exist is after or equal to the time point at which y begins and 2) the time point at which x ceases to exist is before or equal to the point at which y ends. Formally: x existence starts and ends during y iff α(x) >= α(y) & α(x) <= ω(y) & ω(x) <= ω(y) & ω(x) >= α(y) + + exists during + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts and ends during + + + + + + + + + + + + + + + + + + x existence ends during y if and only if the time point at which x ends is before or equivalent to the time point at which y ends and after or equivalent to the point at which y starts. Formally: x existence ends during y iff ω(x) <= ω(y) and ω(x) >= α(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during + + + + + + + + + x existence ends with y if and only if the time point at which x ends is equivalent to the time point at which y ends. Formally: x existence ends with y iff ω(x) = ω(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends with + + + + + + + + + + x transformation of y if x is the immediate transformation of y, or is linked to y through a chain of transformation relationships + + transformation of + + + + + + + + + + x immediate transformation of y iff x immediately succeeds y temporally at a time boundary t, and all of the matter present in x at t is present in y at t, and all the matter in y at t is present in x at t + + + immediate transformation of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence starts during or after y if and only if the time point at which x starts is after or equivalent to the time point at which y starts. Formally: x existence starts during or after y iff α (x) >= α (y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts during or after + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence ends during or before y if and only if the time point at which x ends is before or equivalent to the time point at which y ends. + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during or before + + + + + + + + + + A relationship between a material entity and a process where the material entity has some causal role that influences the process + + causal agent in process + + + + + + + + + + + p is causally related to q if and only if p or any part of p and q or any part of q are linked by a chain of events where each event pair is one where the execution of p influences the execution of q. p may be upstream, downstream, part of, or a container of q. + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between processes + + + + + + + + + depends on + + + + + + + + + + q towards e2 if and only if q is a relational quality such that q inheres-in some e, and e != e2 and q is dependent on e2 + This relation is provided in order to support the use of relational qualities such as 'concentration of'; for example, the concentration of C in V is a quality that inheres in V, but pertains to C. + + + towards + + + + + + + + + 'lysine biosynthetic process via diaminopimelate' SubClassOf has_intermediate some diaminopimelate + p has intermediate c if and only if p has parts p1, p2 and p1 has output c, and p2 has input c + + has intermediate product + + has intermediate + + + + + + + + + + + The intent is that the process branch of the causal property hierarchy is primary (causal relations hold between occurrents/processes), and that the material branch is defined in terms of the process branch + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between entities + + + + + + + + + + + + + + A coral reef environment is determined by a particular coral reef + s determined by f if and only if s is a type of system, and f is a material entity that is part of s, such that f exerts a strong causal influence on the functioning of s, and the removal of f would cause the collapse of s. + The label for this relation is probably too general for its restricted use, where the domain is a system. It may be relabeled in future + + + determined by (system to material entity) + + + + determined by + + + + + + + + + inverse of determined by + + determines (material entity to system) + + + determines + + + + + + + + + + + + + + + + s 'determined by part of' w if and only if there exists some f such that (1) s 'determined by' f and (2) f part_of w, or f=w. + + + determined by part of + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + + + + + x is transcribed from y if and only if x is synthesized from template y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + transcribed from + + + + + + + + + inverse of transcribed from + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + transcribed to + + + + + + + + + + + + + + + + + + + + + + + + + + x is the ribosomal translation of y if and only if a ribosome reads x through a series of triplet codon-amino acid adaptor activities (GO:0030533) and produces y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomal translation of + + + + + + + + + + + + + + + + + + + + + + + + + inverse of ribosomal translation of + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomally translates to + + + + + + + + + + A relation that holds between two entities that have the property of being sequences or having sequences. + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving cause and effect. + The domain and range of this relation include entities such as: information-bearing macromolecules such as DNA, or regions of these molecules; abstract information entities encoded as a linear sequence including text, abstract DNA sequences; Sequence features, entities that have a sequence or sequences. Note that these entities are not necessarily contiguous - for example, the mereological sum of exons on a genome of a particular gene. + + sequentially related to + + + + + + + + + Every UTR is adjacent to a CDS of the same transcript + Two consecutive DNA residues are sequentially adjacent + Two exons on a processed transcript that were previously connected by an intron are adjacent + x is sequentially adjacent to y iff x and y do not overlap and if there are no base units intervening between x and y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + sequentially adjacent to + + + + + + + + + + + Every CDS has as a start sequence the start codon for that transcript + x has start sequence y if the start of x is identical to the start of y, and x has y as a subsequence + + started by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has start sequence + + + + + + + + + + inverse of has start sequence + + starts + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is start sequence of + + + + + + + + + + + Every CDS has as an end sequence the stop codon for that transcript (note this follows from the SO definition of CDS, in which stop codons are included) + x has end sequence y if the end of x is identical to the end of y, and x has y as a subsequence + + ended by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has end sequence + + + + + + + + + + inverse of has end sequence + + ends + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is end sequence of + + + + + + + + + x is a consecutive sequence of y iff x has subsequence y, and all the parts of x are made of zero or more repetitions of y or sequences as the same type as y. + In the SO paper, this was defined as an instance-type relation + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + is consecutive sequence of + + + + + + + + + + Human Shh and Mouse Shh are sequentially aligned, by cirtue of the fact that they derive from the same ancestral sequence. + x is sequentially aligned with if a significant portion bases of x and y correspond in terms of their base type and their relative ordering + + + is sequentially aligned with + + + + + + + + + + + The genomic exons of a transcript bound the sequence of the genomic introns of the same transcript (but the introns are not subsequences of the exons) + x bounds the sequence of y iff the upstream-most part of x is upstream of or coincident with the upstream-most part of y, and the downstream-most part of x is downstream of or coincident with the downstream-most part of y + + + bounds sequence of + + + + + + + + + + inverse of bounds sequence of + + + + is bound by sequence of + + + + + + + + + + + + + x has subsequence y iff all of the sequence parts of y are sequence parts of x + + contains + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has subsequence + + + + + + + + + + + + inverse of has subsequence + + contained by + + + is subsequence of + + + + + + + + + + + + + + + x overlaps the sequence of y if and only if x has a subsequence z and z is a subsequence of y. + + + overlaps sequence of + + + + + + + + + + x does not overlap the sequence of y if and only if there is no z such that x has a subsequence z and z is a subsequence of y. + + disconnected from + + does not overlap sequence of + + + + + + + + + + inverse of downstream of sequence of + + + is upstream of sequence of + + + + + + + + + + + x is downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, or (2) x and y are sequence units, and x is either immediately downstream of y, or transitively downstream of y. + + + is downstream of sequence of + + + + + + + + + + A 3'UTR is immediately downstream of the sequence of the CDS from the same monocistronic transcript + x is immediately downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, and x is sequentially adjacent to y, or (2) x and y are sequence units, in which case the immediately downstream relation is primitive and defined by context: for DNA bases, y would be adjacent and 5' to y + + + + is immediately downstream of sequence of + + + + + + + + + + A 5'UTR is immediately upstream of the sequence of the CDS from the same monocistronic transcript + inverse of immediately downstream of + + + is immediately upstream of sequence of + + + + + + + + + + + + + + Forelimb SubClassOf has_skeleton some 'Forelimb skeleton' + A relation between a segment or subdivision of an organism and the maximal subdivision of material entities that provides structural support for that segment or subdivision. + + has supporting framework + The skeleton of a structure may be a true skeleton (for example, the bony skeleton of a hand) or any kind of support framework (the hydrostatic skeleton of a sea star, the exoskeleton of an insect, the cytoskeleton of a cell). + has skeleton + + + + + + This should be to a more restricted class, but not the Uberon class may be too restricted since it is a composition-based definition of skeleton rather than functional. + + + + + + + + + + p results in the end of s if p results in a change of state in s whereby s either ceases to exist, or s becomes functionally impaired or s has its fate committed such that it is put on a path to be degraded. + + results in ending of + + + + + + + + + + + + + + x is a hyperparasite of y iff x is a parasite of a parasite of the target organism y + Note that parasite-of is a diret relationship, so hyperparasite-of is not considered a sub-relation, even though hyperparasitism can be considered a form of parasitism + + http://eol.org/schema/terms/hyperparasitoidOf + https://en.wikipedia.org/wiki/Hyperparasite + hyperparasitoid of + epiparasite of + + hyperparasite of + + + + + + + + + + + + + inverse of hyperparasite of + + has epiparasite + has hyperparasite + hyperparasitoidized by + + + hyperparasitized by + + + + + + + + + + http://en.wikipedia.org/wiki/Allelopathy + + allelopath of + http://eol.org/schema/terms/allelopathyYes + x is an allelopath of y iff xis an organism produces one or more biochemicals that influence the growth, survival, and reproduction of y + + + + + + + + + + + + pathogen of + + + + + + + + + + + has pathogen + + + + + + + + + inverse of is evidence for + + + + + x has evidence y iff , x is an information content entity, material entity or process, and y supports either the existence of x, or the truth value of x. + has evidence + + + + + + + + + + + + causally influenced by (entity-centric) + causally influenced by + + + + + + + + + + interaction relation helper property + + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + + molecular interaction relation helper property + + + + + + + + + Holds between p and c when p is locomotion process and the outcome of this process is the change of location of c + + + + + + results in movement of + + + + + + + + + + + + + + + + + + + + + The entity or characteristic A is causally upstream of the entity or characteristic B, A having an effect on B. An entity corresponds to any biological type of entity as long as a mass is measurable. A characteristic corresponds to a particular specificity of an entity (e.g., phenotype, shape, size). + + + + causally influences (entity-centric) + causally influences + + + + + + + + + + + A relation that holds between elements of a musculoskeletal system or its analogs. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the biomechanical processes. + biomechanically related to + + + + + + + + + m1 has_muscle_antagonist m2 iff m1 has_muscle_insertion s, m2 has_muscle_insection s, m1 acts in opposition to m2, and m2 is responsible for returning the structure to its initial position. + + Wikipedia:Antagonist_(muscle) + has muscle antagonist + + + + + + + + + + + inverse of branching part of + + + + has branching part + + + + + + + + + + + x is a conduit for y iff y overlaps through the lumen_of of x, and y has parts on either side of the lumen of x. + + UBERON:cjm + This relation holds between a thing with a 'conduit' (e.g. a bone foramen) and a 'conduee' (for example, a nerve) such that at the time the relationship holds, the conduee has two ends sticking out either end of the conduit. It should therefore note be used for objects that move through the conduit but whose spatial extent does not span the passage. For example, it would not be used for a mountain that contains a long tunnel through which trains pass. Nor would we use it for a digestive tract and objects such as food that pass through. + + conduit for + + + + + + + + + + x lumen_of y iff x is the space or substance that is part of y and does not cross any of the inner membranes or boundaries of y that is maximal with respect to the volume of the convex hull. + + + + lumen of + + + + + + + + + + s is luminal space of x iff s is lumen_of x and s is an immaterial entity + + + luminal space of + + + + + + + + + + A relation that holds between an attribute or a qualifier and another attribute. + + + This relation is intended to be used in combination with PATO, to be able to refine PATO quality classes using modifiers such as 'abnormal' and 'normal'. It has yet to be formally aligned into an ontological framework; it's not clear what the ontological status of the "modifiers" are. + + has modifier + + + + + + + + + + + + + participates in a biotic-biotic interaction with + + + + + + + + + + + + inverse of has skeleton + + + skeleton of + + + + + + + + + + p directly regulates q iff p is immediately causally upstream of q and p regulates q. + + + directly regulates (processual) + + + + + directly regulates + + + + + + + + + holds between x and y if and only if the time point at which x starts is equivalent to the time point at which y ends. Formally: iff α(x) = ω(y). + existence starts at end of + + + + + + + + + + + + + + gland SubClassOf 'has part structure that is capable of' some 'secretion by cell' + s 'has part structure that is capable of' p if and only if there exists some part x such that s 'has part' x and x 'capable of' p + + has part structure that is capable of + + + + + + + + + + p 'results in closure of' c if and only if p is a developmental process and p results in a state of c changing from open to closed. + results in closure of + + + + + + + + + p results in breakdown of c if and only if the execution of p leads to c no longer being present at the end of p + results in breakdown of + + + + + + + + + results in synthesis of + + + + + + + + + + + + + results in assembly of + + + + + + + + + p results in catabolism of c if and only if p is a catabolic process, and the execution of p results in c being broken into smaller parts with energy being released. + results in catabolism of + + + + + + + + + + results in disassembly of + + + + + + + + + + results in remodeling of + + + + + + + + + p results in organization of c iff p results in the assembly, arrangement of constituent parts, or disassembly of c + results in organization of + + + + + + + + + holds between x and y if and only if the time point at which x ends is equivalent to the time point at which y starts. Formally: iff ω(x) = α(y). + existence ends at start of + + + + + + + + + + + A relationship that holds between a material entity and a process in which causality is involved, with either the material entity or some part of the material entity exerting some influence over the process, or the process influencing some aspect of the material entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + + + causal relation between material entity and a process + + + + + + + + + + + + + pyrethroid -> growth + Holds between c and p if and only if c is capable of some activity a, and a regulates p. + + capable of regulating + + + + + + + + + + + + + Holds between c and p if and only if c is capable of some activity a, and a negatively regulates p. + + capable of negatively regulating + + + + + + + + + + + + + renin -> arteriolar smooth muscle contraction + Holds between c and p if and only if c is capable of some activity a, and a positively regulates p. + + capable of positively regulating + + + + + + + + + pazopanib -> pathological angiogenesis + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a inhibits p. + treats + + The entity c may be a molecular entity with a drug role, or it could be some other entity used in a therapeutic context, such as a hyperbaric chamber. + capable of inhibiting or preventing pathological process + + + + + treats + Usage of the term 'treats' applies when we believe there to be a an inhibitory relationship + + + + + + + + + benzene -> cancer [CHEBI] + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a negatively regulates p. + causes disease + + capable of upregulating or causing pathological process + + + + + + + + + c is a substance that treats d if c is a material entity (such as a small molecule or compound) and d is a pathological process, phenotype or disease, and c is capable of some activity that negative regulates or decreases the magnitude of d. + treats + + is substance that treats + + + + + + + + + + c is marker for d iff the presence or occurrence of d is correlated with the presence of occurrence of c, and the observation of c is used to infer the presence or occurrence of d. Note that this does not imply that c and d are in a direct causal relationship, as it may be the case that there is a third entity e that stands in a direct causal relationship with c and d. + May be ceded to OBI + is marker for + + + + + + + + + Inverse of 'causal agent in process' + + process has causal agent + + + + + + + + A relationship that holds between two entities, where the relationship holds based on the presence or absence of statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + obsolete related via dependence to + true + + + + + + + + A relationship that holds between two entities, where the entities exhibit a statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Groups both positive and negative correlation + correlated with + + + + + + + + + An instance of a sequence similarity evidence (ECO:0000044) that uses a homologous sequence UniProtKB:P12345 as support. + A relationship between a piece of evidence and an entity that plays a role in supporting that evidence. + In the Gene Ontology association model, this corresponds to the With/From field + is evidence with support from + + + + + + + + + Inverse of is-model-of + has model + + + + + + + + Do not use this relation directly. It is a grouping relation. + related via evidence or inference to + + + + + + + + + + visits + https://github.com/oborel/obo-relations/issues/74 + + + + + + + + + visited by + + + + + + + + + + visits flowers of + + + + + + + + + has flowers visited by + + + + + + + + + + + lays eggs in + + + + + + + + + + has eggs laid in by + + + + + + + + + + https://github.com/jhpoelen/eol-globi-data/issues/143 + kills + + + + + + + + + is killed by + + + + + + + + + + p directly positively regulates q iff p is immediately causally upstream of q, and p positively regulates q. + + directly positively regulates (process to process) + + + + + directly positively regulates + https://wiki.geneontology.org/Directly_positively_regulates + + + + + + + + + + p directly negatively regulates q iff p is immediately causally upstream of q, and p negatively regulates q. + + directly negatively regulates (process to process) + + + + + directly negatively regulates + https://wiki.geneontology.org/Directly_negatively_regulates + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives on or in the integumental system of the host + + ectoparasite of + + + + + + + + + inverse of ectoparasite of + + has ectoparasite + + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives inside the host, beneath the integumental system + lives inside of + endoparasite of + + + + + + + + + has endoparasite + + + + + + + + + + A sub-relation of parasite-of in which the parasite is partially an endoparasite and partially an ectoparasite + mesoparasite of + + + + + + + + + inverse of mesoparasite of + + has mesoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits the spaces between host cells. + + intercellular endoparasite of + + + + + + + + + inverse of intercellular endoparasite of + + has intercellular endoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits host cells. + + intracellular endoparasite of + + + + + + + + + inverse of intracellular endoparasite of + + has intracellular endoparasite + + + + + + + + + + Two or more individuals sharing the same roost site (cave, mine, tree or tree hollow, animal burrow, leaf tent, rock crack, space in man-made structure, etc.). Individuals that are sharing a communal roost may be said to be co-roosting. The roost may be either a day roost where the individuals rest during daytime hours, or a night roost where individuals roost to feed, groom, or rest in between flights and/or foraging bouts. Communal roosting as thus defined is an umbrella term within which different specialized types -- which are not mutually exclusive -- may be recognized based on taxonomy and the temporal and spatial relationships of the individuals that are co-roosting. + + co-roosts with + + + + + + + + + + + + + + + + + + a produces b if some process that occurs_in a has_output b, where a and b are material entities. Examples: hybridoma cell line produces monoclonal antibody reagent; chondroblast produces avascular GAG-rich matrix. + + + Note that this definition doesn't quite distinguish the output of a transformation process from a production process, which is related to the identity/granularity issue. + produces + + + + + + + + + + + a produced_by b iff some process that occurs_in b has_output a. + + + produced by + + + + + + + + + + + Holds between entity A (a transcription factor) and a nucleic acid B if and only if A down-regulates the expression of B. The nucleic acid can be a gene or an mRNA. + + represses expression of + + + + + + + + + + + Holds between entity A (a transcription factor) and nucleic acid B if and only if A up-regulates the expression of B. The nucleic acid can be a gene or mRNA. + + increases expression of + + + + + + + + + + A relation between a biological, experimental, or computational artifact and an entity it is used to study, in virtue of its replicating or approximating features of the studied entity. + + is used to study + The primary use case for this relation was to link a biological model system such as a cell line or model organism to a disease it is used to investigate, in virtue of the model system exhibiting features similar to that of the disease of interest. But the relation is defined more broadly to support other use cases, such as linking genes in which alterations are made to create model systems to the condition the system is used to interrogate, or computational models to real-world phenomena they are defined to simulate. + has role in modeling + + + + + + + + + The genetic variant 'NM_007294.3(BRCA1):c.110C>A (p.Thr37Lys)' casues or contributes to the disease 'familial breast-ovarian cancer'. + +An environment of exposure to arsenic causes or contributes to the phenotype of patchy skin hyperpigmentation, and the disease 'skin cancer'. + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal or contributing role that influences the condition. + Note that relationships of phenotypes to organisms/strains that bear them, or diseases they are manifest in, should continue to use RO:0002200 ! 'has phenotype' and RO:0002201 ! 'phenotype of'. + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + causes or contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal role for the condition. + causes condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some contributing role that influences the condition. + contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the severity with which a condition manifests in an individual. + contributes to expressivity of condition + contributes to severity of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the frequency of the condition in a population. + contributes to penetrance of condition + contributes to frequency of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the presence of the entity reduces or eliminates some or all aspects of the condition. + is preventative for condition + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + ameliorates condition + + + + + + + + + A relationship between an entity and a condition (phenotype or disease) with which it exhibits a statistical dependence relationship. + correlated with condition + + + + + + + + + A relationship between an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) and a condition (a phenotype or disease), where the presence of the entity worsens some or all aspects of the condition. + exacerbates condition + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are reduced or eliminated by the presence of the entity. + condition ameliorated by + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are worsened by the presence of the entity. + condition exacerbated by + + + + + + + + + + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:38:20Z + condition has genetic basis in + + + + + + + + + + + 2017-11-05T02:45:20Z + has material basis in gain of function germline mutation in + + + + + + + + + + + + + 2017-11-05T02:45:37Z + has material basis in loss of function germline mutation in + + + + + + + + + + + 2017-11-05T02:45:54Z + has material basis in germline mutation in + + + + + + + + + + + + 2017-11-05T02:46:07Z + has material basis in somatic mutation in + + + + + + + + + + + + 2017-11-05T02:46:26Z + has major susceptibility factor + + + + + + + + + + + 2017-11-05T02:46:57Z + has partial material basis in germline mutation in + + + + + + + + + p 'has primary input ot output' c iff either (a) p 'has primary input' c or (b) p 'has primary output' c. + + 2018-12-13T11:26:17Z + + has primary input or output + + + + + + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + 2018-12-13T11:26:32Z + + has primary output + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + 2018-12-13T11:26:56Z + + has primary input + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:53:08Z + is genetic basis for condition + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell provides a new function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:55:51Z + is causal gain of function germline mutation of in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell impairs the function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:06Z + is causal loss of function germline mutation of in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:40Z + is causal germline mutation in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition but that cannot be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:57:07Z + is causal somatic mutation in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene predisposes to the development of a condition and that is necessary but not sufficient to develop the condition[modified from orphanet]. + + 2017-11-05T02:57:43Z + is causal susceptibility factor for + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene partially contributes to the presentation of this condition[modified from orphanet]. + + 2017-11-05T02:58:43Z + is causal germline mutation partially giving rise to + + + + + + + + + + + + 2017-11-05T03:20:01Z + realizable has basis in + + + + + + + + + + 2017-11-05T03:20:29Z + is basis for realizable + + + + + + + + + + + + 2017-11-05T03:26:47Z + disease has basis in + + + + + + + + + + A relation that holds between the disease and a material entity where the physical basis of the disease is a disorder of that material entity that affects its function. + disease has basis in dysfunction of (disease to anatomical structure) + + 2017-11-05T03:29:32Z + disease has basis in dysfunction of + + + + + + + + + + A relation that holds between the disease and a process where the physical basis of the disease disrupts execution of a key biological process. + disease has basis in disruption of (disease to process) + + 2017-11-05T03:37:52Z + disease has basis in disruption of + + + + + + + + + + + + + + + + + + + A relation that holds between the disease and a feature (a phenotype or other disease) where the physical basis of the disease is the feature. + + 2017-11-05T03:46:07Z + disease has basis in feature + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all of which have a disease as the subject. + + 2017-11-05T03:50:54Z + causal relationship with disease as subject + + + + + + + + + + + + + + + + + + + A relationship between a disease and a process where the disease process disrupts the execution of the process. + disease causes disruption of (disease to process) + + 2017-11-05T03:51:09Z + disease causes disruption of + + + + + + + + + + + + + + + disease causes dysfunction of (disease to anatomical entity) + + 2017-11-05T03:58:20Z + disease causes dysfunction of + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease has one or more features that are located in that entity. + TODO: complete range axiom once more of CARO has been mireoted in to this ontology + This relation is intentionally very general, and covers isolated diseases, where the disease is realized as a process occurring in the location, and syndromic diseases, where one or more of the features may be present in that location. Thus any given disease can have multiple locations in the sense defined here. + + 2017-11-05T04:06:02Z + disease has location + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease is triggered by an inflammatory response to stimuli occurring in the anatomical entity + + 2017-12-26T19:37:31Z + disease has inflammation site + + + + + + + + + + + + + + + A relationship between a realizable entity R (e.g. function or disposition) and a material entity M where R is realized in response to a process that has an input stimulus of M. + + 2017-12-26T19:45:49Z + realized in response to stimulus + + + + + + + + + + + + + + + + + + A relationship between a disease and some feature of that disease, where the feature is either a phenotype or an isolated disease. + + 2017-12-26T19:50:53Z + disease has feature + + + + + + + + + + A relationship between a disease and an anatomical structure where the material basis of the disease is some pathological change in the structure. Anatomical structure includes cellular and sub-cellular entities, such as chromosome and organelles. + + 2017-12-26T19:58:44Z + disease arises from alteration in structure + + + + + + + + + + + + + Holds between an entity and an process P where the entity enables some larger compound process, and that larger process has-part P. + + 2018-01-25T23:20:13Z + enables subfunction + + + + + + + + + + + + + + + 2018-01-26T23:49:30Z + + acts upstream of or within, positive effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_positive_effect + + + + + + + + + + + + + + + 2018-01-26T23:49:51Z + + acts upstream of or within, negative effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_negative_effect + + + + + + + + + + + + + + c 'acts upstream of, positive effect' p if c is enables f, and f is causally upstream of p, and the direction of f is positive + + + 2018-01-26T23:53:14Z + + acts upstream of, positive effect + https://wiki.geneontology.org/Acts_upstream_of,_positive_effect + + + + + + + + + + + + + + c 'acts upstream of, negative effect' p if c is enables f, and f is causally upstream of p, and the direction of f is negative + + + 2018-01-26T23:53:22Z + + acts upstream of, negative effect + https://wiki.geneontology.org/Acts_upstream_of,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:05Z + causally upstream of or within, negative effect + https://wiki.geneontology.org/Causally_upstream_of_or_within,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:19Z + causally upstream of or within, positive effect + + + + + + + + + DEPRECATED This relation is similar to but different in important respects to the characteristic-of relation. See comments on that relation for more information. + DEPRECATED inheres in + true + + + + + + + + DEPRECATED bearer of + true + + + + + + + + A relation between two entities, in which one of the entities is any natural or human-influenced factor that directly or indirectly causes a change in the other entity. + + has driver + + + + + + + + + + A relation between an entity and a disease of a host, in which the entity is not part of the host itself, and the condition results in pathological processes. + + has disease driver + + + + + + + + + + + An interaction relationship wherein a plant or algae is living on the outside surface of another plant. + https://en.wikipedia.org/wiki/Epiphyte + epiphyte of + + + + + + + + + inverse of epiphyte of + + has epiphyte + + + + + + + + + + A sub-relation of parasite of in which a parasite steals resources from another organism, usually food or nest material + https://en.wikipedia.org/wiki/Kleptoparasitism + kleptoparasite of + + + + + + + + + inverse of kleptoparasite of + + kleptoparasitized by + + + + + + + + + + + An interaction relationship wherein one organism creates a structure or environment that is lived in by another organism. + creates habitat for + + + + + + + + + + + + An interaction relationship describing organisms that often occur together at the same time and space or in the same environment. + ecologically co-occurs with + + + + + + + + + + An interaction relationship in which organism a lays eggs on the outside surface of organism b. Organism b is neither helped nor harmed in the process of egg laying or incubation. + lays eggs on + + + + + + + + + inverse of lays eggs on + has eggs laid on by + + + + + + + + + + + Flying foxes (Pteropus giganteus) has_roost banyan tree (Ficus benghalensis) + x 'has roost' y if and only if: x is an organism, y is a habitat, and y can support rest behaviors x. + + 2023-01-18T14:28:21Z + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to rest in y. + has roost + + + + + + + + + + + muffin 'has substance added' some 'baking soda' + + "has substance added" is a relation existing between a (physical) entity and a substance in which the entity has had the substance added to it at some point in time. + The relation X 'has substance added' some Y doesn't imply that X still has Y in any detectable fashion subsequent to the addition. Water in dehydrated food or ice cubes are examples, as is food that undergoes chemical transformation. This definition should encompass recipe ingredients. + + has substance added + + + + + + + + + + + 'egg white' 'has substance removed' some 'egg yolk' + + "has substance removed" is a relation existing between two physical entities in which the first entity has had the second entity (a substance) removed from it at some point in time. + + has substance removed + + + + + + + + + + + sardines 'immersed in' some 'oil and mustard' + + "immersed in" is a relation between a (physical) entity and a fluid substance in which the entity is wholely or substantially surrounded by the substance. + + immersed in + + + + + + + + + + sardine has consumer some homo sapiens + + 'has consumer' is a relation between a material entity and an organism in which the former can normally be digested or otherwise absorbed by the latter without immediate or persistent ill effect. + + has consumer + + + + + + + + + + bread 'has primary substance added' some 'flour' + + 'has primary substance added' indicates that an entity has had the given substance added to it in a proportion greater than any other added substance. + + has primary substance added + + + + + + + + + + + + + + + A drought sensitivity trait that inheres in a whole plant is realized in a systemic response process in response to exposure to drought conditions. + An inflammatory disease that is realized in response to an inflammatory process occurring in the gut (which is itself the realization of a process realized in response to harmful stimuli in the mucosal lining of th gut) + Environmental polymorphism in butterflies: These butterflies have a 'responsivity to day length trait' that is realized in response to the duration of the day, and is realized in developmental processes that lead to increased or decreased pigmentation in the adult morph. + r 'realized in response to' s iff, r is a realizable (e.g. a plant trait such as responsivity to drought), s is an environmental stimulus (a process), and s directly causes the realization of r. + + + + + triggered by process + realized in response to + https://docs.google.com/document/d/1KWhZxVBhIPkV6_daHta0h6UyHbjY2eIrnON1WIRGgdY/edit + + + + + triggered by process + + + + + + + + + + + + + + + + Genetic information generically depend on molecules of DNA. + The novel *War and Peace* generically depends on this copy of the novel. + The pattern shared by chess boards generically depends on any chess board. + The score of a symphony g-depends on a copy of the score. + This pdf file generically depends on this server. + A generically dependent continuant *b* generically depends on an independent continuant *c* at time *t* means: there inheres in *c* a specifically deendent continuant which concretizes *b* at *t*. + [072-ISO] + g-depends on + generically depends on + + + + + + + + + + + + + + Molecules of DNA are carriers of genetic information. + This copy of *War and Peace* is carrier of the novel written by Tolstoy. + This hard drive is carrier of these data items. + *b* is carrier of *c* at time *t* if and only if *c* *g-depends on* *b* at *t* + [072-ISO] + is carrier of + + + + + + + + + + + The entity A has an activity that regulates an activity of the entity B. For example, A and B are gene products where the catalytic activity of A regulates the kinase activity of B. + + regulates activity of + + + + + + + + + + + The entity A has an activity that regulates the quantity or abundance or concentration of the entity B. + + regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B but A has an activity that regulates an activity performed by B. + + indirectly regulates activity of + + + + + + + + + + + The entity A has an activity that down-regulates by repression the quantity of B. The down-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly decreases by repression the quantity of protein B (gene product) if and only if A negatively regulates the process of transcription or translation of a nucleic acid element that produces B. + + decreases by repression quantity of + + + + + + + + + + + The entity A has an activity that up-regulates by expression the quantity of B. The up-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly increases by expression the quantity of protein B (gene product) if and only if A positively regulates the process of transcription or translation of a nucleic acid element that produces B. + + increases by expression quantity of + + + + + + + + + + + The entity A has an activity that directly positively regulates the quantity of B. + + directly positively regulates quantity of + + + + + + + + + + + The entity A has an activity that directly negatively regulates the quantity of B. + + directly negatively regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that up-regulates an activity performed by B. + + indirectly activates + indirectly positively regulates activity of + + + + + + + + + + + AKT1 destabilizes quantity of FOXO (interaction from Signor database: SIGNOR-252844) + An entity A directly interacts with B and A has an activity that decreases the amount of an entity B by degradating it. + + destabilizes quantity of + + + + + + + + + + + AKT1 stabilizes quantity of XIAP (interaction from Signor database: SIGNOR-119488) + An entity A physically interacts with B and A has an activity that increases the amount of an entity B by stabilizing it. + + stabilizes quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that down-regulates an activity performed by B. + + indirectly inhibits + indirectly negatively regulates activity of + + + + + + + + + The entity A, immediately upstream of B, has an activity that directly regulates the quantity of B. + + directly regulates quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B, but A has an activity that regulates the quantity or abundance or concentration of B. + + indirectly regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that down-regulates the quantity or abundance or concentration of B. + + indirectly negatively regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that up-regulates the quantity or abundance or concentration of B. + + indirectly positively regulates quantity of + + + + + + + + + + a relation between a process and a continuant, in which the process is regulated by the small molecule continuant + + 2020-04-22T20:27:26Z + has small molecule regulator + + + + + + + + + + a relation between a process and a continuant, in which the process is activated by the small molecule continuant + + 2020-04-22T20:28:37Z + has small molecule activator + + + + + + + + + + a relation between a process and a continuant, in which the process is inhibited by the small molecule continuant + + 2020-04-22T20:28:54Z + has small molecule inhibitor + + + + + + + + + p acts on population of c iff c' is a collection, has members of type c, and p has participant c + + 2020-06-08T17:21:33Z + + + + acts on population of + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that regulates the process + + 2020-06-24T13:15:17Z + is small molecule regulator of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that activates the process + + 2020-06-24T13:15:26Z + is small molecule activator of + https://wiki.geneontology.org/Is_small_molecule_activator_of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that inhibits the process + + 2020-06-24T13:15:35Z + is small molecule inhibitor of + https://wiki.geneontology.org/Is_small_molecule_inhibitor_of + + + + + + + + + The relationship that links anatomical entities with a process that results in the adhesion of two or more entities via the non-covalent interaction of molecules expressed in, located in, and/or adjacent to, those entities. + + 2020-08-27T08:13:59Z + results in adhesion of + + + + + + + + + + 2021-02-26T07:28:29Z + + + + results in fusion of + + + + + + + + + p is constitutively upstream of q iff p is causally upstream of q, p is required for execution of q or a part of q, and the execution of p is approximately constant. + + 2022-09-26T06:01:01Z + + + constitutively upstream of + https://wiki.geneontology.org/Constitutively_upstream_of + + + + + + + + + p removes input for q iff p is causally upstream of q, there exists some c such that p has_input c and q has_input c, p reduces the levels of c, and c is rate limiting for execution of q. + + 2022-09-26T06:06:20Z + + + removes input for + https://wiki.geneontology.org/Removes_input_for + + + + + + + + + p is indirectly causally upstream of q iff p is causally upstream of q and there exists some process r such that p is causally upstream of r and r is causally upstream of q. + + 2022-09-26T06:07:17Z + indirectly causally upstream of + + + + + + + + + + p indirectly regulates q iff p is indirectly causally upstream of q and p regulates q. + + 2022-09-26T06:08:01Z + indirectly regulates + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses in that region. + + 2020-07-17T09:26:52Z + has synaptic input or output in + has synaptic IO in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses in that region. + + 2020-07-17T09:42:23Z + receives synaptic input in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of output synapses in that region. + + 2020-07-17T09:45:06Z + sends synaptic output to region + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:52:19Z + has synaptic IO throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:55:36Z + receives synaptic input throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:57:27Z + sends synaptic output throughout + + + + + + + + + + + + + + Relation between a sensory neuron and some structure in which it receives sensory input via a sensory dendrite. + + 2020-07-20T12:10:09Z + has sensory dendrite location + has sensory terminal in + has sensory terminal location + has sensory dendrite in + + + + + + + + + + A relationship between an anatomical structure (including cells) and a neuron that has a functionally relevant number of chemical synapses to it. + + 2021-05-26T08:40:18Z + receives synaptic input from neuron + + + + + + + + + A relationship between a neuron and a cell that it has a functionally relevant number of chemical synapses to. + + 2021-05-26T08:41:07Z + Not restricting range to 'cell' - object may be a muscle containing a cell targeted by the neuron. + sends synaptic output to cell + + + + + + + + + A relationship between a disease and an infectious agent where the material basis of the disease is an infection with some infectious agent. + + disease has infectious agent + + + + + + + + + + + + + + transcriptomically defined cell type X equivalent to ‘cell’ and (has_exemplar_data value [transcriptomic profile data]) + A relation between a material entity and some data in which the data is taken as exemplifying the material entity. + C has_exemplar_data y iff x is an instance of C and y is data about x that is taken as exemplifying of C. + + This relation is not meant to capture the relation between occurrents and data. + has exemplar data + + + + + + + + + + exemplar data of + + + + + + + + + + A relation between a group and another group it is part of but does not fully constitute. + X subcluster_of Y iff: X and Y are clusters/groups; X != Y; all members of X are also members of Y. + + This is used specifically for sets whose members are specified by some set-forming operator (method of grouping) such as clustering analyses in single cell transcriptomics. + subcluster of + + + + + + + + + 'Lamp5-like Egln3_1 primary motor cortex GABAergic interneuron (Mus musculus)' subClass_of: has_characterizing_marker_set some 'NS forest marker set of Lamp5-like Egln3_1 MOp (Mouse).'; NS forest marker set of Lamp5-like Egln3_1 SubClass_of: ('has part' some 'Mouse Fbn2') and ('has part' some 'Mouse Chrna7') and ('has part' some 'Mouse Fam19a1'). + transcriptomically defined cell type X subClass_of: (has_characterizing_marker_set some S1); S1 has_part some gene 1, S1 has_part some gene 2, S1 has_part some gene 3. + A relation that applies between a cell type and a set of markers that can be used to uniquely identify that cell type. + C has_characterizing_marker_set y iff: C is a cell type and y is a collection of genes or proteins whose expression is sufficient to distinguish cell type C from most or all other cell types. + This relation is not meant for cases where set of genes/proteins are only useful as markers in some specific context - e.g. in some specific location. In these cases it is recommended to make a more specific cell class restricted to the relevant context. + + has marker gene combination + has marker signature set + has characterizing marker set + + + + + + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + different in magnitude relative to + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'increased strength', relative to the parent type, 'strength'. + increased in magnitude relative to + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'decreased strength', relative to the parent type, 'strength'. + decreased in magnitude relative to + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + similar in magnitude relative to + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + has relative magnitude + + + + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + Example: a spherical object has the quality of being spherical, and the spherical quality has_cross_section round. + has cross section + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + There are frequently two ways to state the same thing: we can say 'spermatocyte lacks asters' or 'asters absent from spermatocyte'. In this case the quality is 'lacking all parts of type' - it is a (relational) quality of the spermatocyte, and it is with respect to instances of 'aster'. One of the popular requirements of PATO is that it continue to support 'absent', so we need to relate statements which use this quality to the 'lacking all parts of type' quality. + reciprocal of + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + 'Ly-76 high positive erythrocyte' equivalent to 'enucleate erythrocyte' and (has_high_plasma_membrane_amount some 'lymphocyte antigen 76 (mouse)') + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + + + has high plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + + + 'DN2b thymocyte' equivalent to 'DN2 thymocyte' and (has_low_plasma_membrane_amount some 'mast/stem cell growth factor receptor') + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + + + has low plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + Do not use this relation directly. It is intended as a grouping for a set of relations regarding presentation of phenotypes and disease. + + 2021-11-05T17:30:14Z + has phenotype or disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + A relationship that holds between an organism and a disease. Here a disease is construed broadly as a disposition to undergo pathological processes that exists in an organism because of one or more disorders in that organism. + + 2021-11-05T17:30:44Z + has disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + X has exposure medium Y if X is an exposure event (process), Y is a material entity, and the stimulus for X is transmitted or carried in Y. + ExO:0000083 + + 2021-12-14T20:41:45Z + has exposure medium + + + + + + + + + + + + A diagnostic testing device utilizes a specimen. + X device utilizes material Y means X and Y are material entities, and X is capable of some process P that has input Y. + + + A diagnostic testing device utilizes a specimen means that the diagnostic testing device is capable of an assay, and this assay a specimen as its input. + See github ticket https://github.com/oborel/obo-relations/issues/497 + 2021-11-08T12:00:00Z + utilizes + device utilizes material + + + + + + + + + + A relation between entities in which one increases or decreases as the other does the same. + directly correlated with + + positively correlated with + + + + + + + + + + + A relation between entities in which one increases as the other decreases. + inversely correlated with + + negatively correlated with + + + + + + + + + Helper relation for OWL definition of RO:0018002 myristoylates + + is myristoyltransferase activity + + + + + + + + + + + + + + + A molecularly-interacts-with relationship between two entities, where the subject catalyzes a myristoylation activity that takes the object as input + + + myristoylates + + + + + + + + inverse of myristoylates + + myristoylated by + + + + + + + + + mibolerone (CHEBI:34849) is agonist of androgen receptor (PR:P10275) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor activates some activity of the receptor + + is agonist of + + + + + + + + + + pimavanserin (CHEBI:133017) is inverse agonist of HTR2A (PR:P28223) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor inhibits some activity of the receptor to below basal level + + is inverse agonist of + + + + + + + + + + tretinoin (CHEBI:15367) is antagonist of Nuclear receptor ROR-beta (PR:Q92753) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor reduces some activity of the receptor to basal level + + is antagonist of + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a chemical. + + chemical relationship + + + + + + + + + + pyruvate anion (CHEBI:15361) is the conjugate base of the neutral pyruvic acid (CHEBI:32816) + A is a direct conjugate base of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by receiving a particular proton transforms it into B. + + + is direct conjugate base of + + + + + + + + + + neutral pyruvic acid (CHEBI:32816) is the conjugate acid of the pyruvate anion (CHEBI:15361) + A is a direct conjugate acid of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing a particular proton transforms it into B. + + + is direct conjugate acid of + + + + + + + + + + + + (E)-cinnamoyl-CoA(4-) (CHEBI:57252) is a deprotonated form (E)-cinnamoyl-CoA (CHEBI:10956), which involves removing four protons. + A is a deprotonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by adding some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_base_of + is deprotonated form of + + + + + + + + + + + (E)-cinnamoyl-CoA (CHEBI:10956) is a protonated form of (E)-cinnamoyl-CoA(4-) (CHEBI:57252), which involves adding four protons. + A is a protonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_acid_of + is protonated form of + + + + + + + + + + + phenol (CHEBI:15882) and aniline (CHEBI:17296) are matched molecular pairs because they differ by one chemical transformation i.e., the replacement of aryl primary amine with aryl primary alcohol. + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + 2023-02-28T18:53:32Z + is MMP with + is matched molecular pair with + is matched small molecular pair with + + + + + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + + + + + + + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + Two chemicals are tautomers if they can be readily interconverted. + +This commonly refers to prototropy in which a hydrogen's position is changed, such as between ketones and enols. This is also often observed in heterocyclic rings, e.g., ones containing nitrogens and/or have aryl functional groups containing heteroatoms. + + 2023-03-18T23:49:31Z + obo:chebi#is_tautomer_of + is desmotrope of + is tautomer of + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + + + + + + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + Group A is a substituent group from Chemical B if A represents the functional part of A and includes information about where it is connected. A is not itself a chemical with a fully formed chemical graph, but is rather a partial graph with one or more connection points that can be used to attach to another chemical graph, typically as a functionalization. + + 2023-03-18T23:49:31Z + obo:chebi#is_substituent_group_from + is substitutent group from + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + + + + + + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + Chemical A has functional parent Chemical B if there is chemical transformation through which chemical B can be produced from chemical A. + +For example, the relationship between a salt and a freebased compound is a "has functional parent" relationship. + + 2023-03-18T23:49:31Z + obo:chebi#has_functional_parent + has functional parent + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + + + + + + + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + Chemicals A and B are enantiomers if they share the same molecular graph except the change of the configuration of substituents around exactly one chiral center. + +A chemical with no chiral centers can not have an enantiomer. A chemical with multiple chiral centers can have multiple enantiomers, but its enantiomers are not themselves enantiomers (they are diastereomers). + + 2023-03-18T23:49:31Z + obo:chebi#is_enantiomer_of + is optical isomer of + is enantiomer of + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + + + + + + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + Chemical A has parent hydride Chemical B if there exists a molecular graphical transformation where functional groups on A are replaced with hydrogens in order to yield B. + + 2023-03-18T23:49:31Z + obo:chebi#has_parent_hydride + has parent hydride + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) regulates characteristic (C) iff: P results in the existence of C OR affects the intensity or magnitude of C. + + regulates characteristic + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) positively regulates characteristic (C) iff: P results in an increase in the intensity or magnitude of C. + + positively regulates characteristic + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) negatively regulates characteristic (C) iff: P results in a decrease in the intensity or magnitude of C. + + negatively regulates characteristic + + + + + + + + + Relates a gene to condition, such that a variation in this gene predisposes to the development of a condition. + + confers susceptibility to condition + + + + + + + + This relation groups relations between diseases and any other kind of entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a disease. + + 2018-09-26T00:00:32Z + disease relationship + + + + + + + + + p has anatomical participant c iff p has participant c, and c is an anatomical entity + + 2018-09-26T01:08:58Z + results in changes to anatomical or cellular structure + + + + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + TODO: Add homeomorphy axiom + + + + + ECO:0000041 + SO:similar_to + sameness + similar to + correspondence + resemblance + in similarity relationship with + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + + BGEE:curator + + + + + correspondence + + + + + + + + + + + + + Similarity that results from common evolutionary origin. + + + homologous to + This broad definition encompasses all the working definitions proposed so far in the literature. + in homology relationship with + + + + + + Similarity that results from common evolutionary origin. + + + + + + + + + + + + + + Similarity that results from independent evolution. + + + homoplasous to + analogy + in homoplasy relationship with + + + + + + Similarity that results from independent evolution. + + + + + + + + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + ECO:0000075 + homocracous to + Homology and homocracy are not mutually exclusive. The homology relationships of patterning genes may be unresolved and thus may include orthologues and paralogues. + in homocracy relationship with + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + + + + + + + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + analogy + Convergence usually implies a notion of adaptation. + in convergence relationship with + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + + + + + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + parallel evolution + Can be applied for features present in closely related organisms but not present continuously in all the members of the lineage. + in parallelism relationship with + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + + + + + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + ECO:0000071 + MI:2163 + structural homologous to + idealistic homology + in structural homology relationship with + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by common descent. + + + homology + ECO:0000080 + RO_proposed_relation:homologous_to + SO:0000330 + SO:0000853 + SO:0000857 + SO:homologous_to + TAO:homologous_to + cladistic homology + historical homologous to + phylogenetic homology + taxic homology + true homology + in historical homology relationship with + + + + + + Homology that is defined by common descent. + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + ECO:0000067 + biological homologous to + transformational homology + Applicable only to morphology. A certain degree of ambiguity is accepted between biological homology and parallelism. + in biological homology relationship with + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + + + + + + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + atavism + rudiment + reversion + in reversal relationship with + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + + + + + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + + MeSH:Synteny + SO:0000860 + SO:0005858 + syntenic homologous to + synteny + in syntenic homology relationship with + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + MeSH:Synteny + + + + + + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + SO:0000854 + SO:0000859 + SO:paralogous_to + paralogous to + in paralogy relationship with + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + + + + + + + + + + + + + Paralogy that involves sets of syntenic blocks. + + + syntenic paralogous to + duplicon + paralogon + in syntenic paralogy relationship with + + + + + + Paralogy that involves sets of syntenic blocks. + + + DOI:10.1002/1097-010X(20001215)288:4<345::AID-JEZ7>3.0.CO;2-Y + + + + + + + + + + Syntenic homology that involves chromosomes of different species. + + + syntenic orthologous to + in syntenic orthology relationship with + + + + + + Syntenic homology that involves chromosomes of different species. + + + + + + + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + + fractional homology + partial homologous to + segmental homology + mixed homology + modular homology + partial correspondence + percent homology + in partial homology relationship with + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + ISBN:0123195837 + ISBN:978-0471984931 + + + + + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + MeSH:Structural_Homology,_Protein + protein structural homologous to + in protein structural homology relationship with + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + + + + + + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + + pseudogene + SO:non_functional_homolog_of + non functional homologous to + in non functional homology relationship with + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + SO:non_functional_homolog_of + + + + + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + ECO:00000060 + SO:0000855 + SO:0000858 + SO:orthologous_to + orthologous to + The term is sometimes also used for anatomical structures. + in orthology relationship with + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + + + + + + + + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + xenologous to + The term is sometimes also used for anatomical structures (e.g. in case of a symbiosis). + in xenology relationship with + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + + + + + + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + + 1 to 1 homologous to + 1:1 homology + one-to-one homology + in 1 to 1 homology relationship with + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + BGEE:curator + + + + + + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + 1 to 1 orthologous to + 1:1 orthology + one-to-one orthology + in 1 to 1 orthology relationship with + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + + + + + + + + + + + Paralogy that results from a whole genome duplication event. + + + ohnologous to + homoeology + in ohnology relationship with + + + + + + Paralogy that results from a whole genome duplication event. + + + + + + + + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + in-paralogous to + inparalogy + symparalogy + in in-paralogy relationship with + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + + + + + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + alloparalogy + out-paralogous to + outparalogy + in out-paralogy relationship with + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + + + + + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + pro-orthologous to + in pro-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + + + + + + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + semi-orthologous to + The converse of pro-orthologous. + in semi-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + + + + + + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + serial homologous to + homonomy + in serial homology relationship with + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + + + + + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + + heterochronous homologous to + heterochrony + in heterochronous homology relationship with + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + ISBN:978-0674639416 + + + + + + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + juvenification + pedomorphosis + in paedomorphorsis relationship with + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + ISBN:978-0674639416 + + + + + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + in peramorphosis relationship with + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + + + + + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + in progenesis relationship with + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + ISBN:978-0674639416 + + + + + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + juvenilization + neotenous to + in neoteny relationship with + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + ISBN:978-0674639416 + + + + + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + mimicrous to + in mimicry relationship with + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + + + + + + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + 1 to many orthologous to + 1:many orthology + one-to-many orthology + co-orthology + many to 1 orthology + in 1 to many orthology relationship with + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + + + + + + + + + + + Historical homology that involves two members of a larger set of homologs. + + + many to many homologous to + many-to-many homology + many:many homology + in many to many homology relationship with + + + + + + Historical homology that involves two members of a larger set of homologs. + + + + + + + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + + 1 to many homologous to + one-to-many homology + 1:many homology + in 1 to many homology relationship with + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + BGEE:curator + + + + + + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + + apomorphous to + synapomorphy + in apomorphy relationship with + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + ISBN:978-0252068140 + + + + + + + + + + Historical homology that is based on distant shared ancestry. + + + plesiomorphous to + symplesiomorphy + This term is usually contrasted to apomorphy. + in plesiomorphy relationship with + + + + + + Historical homology that is based on distant shared ancestry. + + ISBN:978-0252068140 + + + + + + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + deep genetic homology + deep homologous to + generative homology + homoiology + Used for structures in distantly related taxa. + in deep homology relationship with + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + + + + + + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + hemiplasous to + in hemiplasy relationship with + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + + + + + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + gametologous to + in gametology relationship with + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + + + + + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + + MeSH:Chromosome_Pairing + chromosomal homologous to + in chromosomal homology relationship with + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + ISBN:0195307615 + + + + + + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + many to many orthologous to + many-to-many orthology + many:many orthology + trans-orthology + co-orthology + trans-homology + in many to many orthology relationship with + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + + + + + + + + + + + + Paralogy that involves genes from the same species. + + + within-species paralogous to + in within-species paralogy relationship with + + + + + + Paralogy that involves genes from the same species. + + + + + + + + + + + + Paralogy that involves genes from different species. + + + between-species paralogous to + The genes have diverged before a speciation event. + in between-species paralogy relationship with + + + + + + Paralogy that involves genes from different species. + + + + + + + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + post-displacement + in postdisplacement relationship with + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + + + + + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + in hypermorphosis relationship with + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + ISBN:978-0674639416 + + + + + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + synologous to + in synology relationship with + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + + + + + + + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + ECO:0000080 + isoorthologous to + in isoorthology relationship with + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + tandem paralogous to + iterative paralogy + serial paralogy + in tandem paralogy relationship with + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + ISBN:978-0878932665 + + + + + + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + apomorphic tendency + cryptic homology + latent homologous to + underlying synapomorphy + homoiology + homoplastic tendency + re-awakening + Used for structures in closely related taxa. + in latent homology relationship with + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + + + ISBN:0199141118 + + + + + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + generative homology + syngenous to + Cannot be used when orthologous patterning gene are organizing obviously non-homologous structures in different organisms due for example to pleiotropic functions of these genes. + in syngeny relationship with + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + DOI:10.1002/1521-1878(200009)22:9<846::AID-BIES10>3.0.CO;2-R + + + + + + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + 1:1 paralogy + apparent 1:1 orthology + apparent orthologous to + pseudoorthology + The genes are actually paralogs but appear to be orthologous due to differential, lineage-specific gene loss. + in apparent orthology relationship with + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + + + + + + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + pseudoparalogous to + These genes may come out as paralogs in a single-genome analysis. + in pseudoparalogy relationship with + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + + + + + + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + equivalogous to + This may include examples of orthology, paralogy and xenology. + in equivalogy relationship with + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + interologous to + in interology relationship with + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + + + + + + + + + + + Similarity that is characterized by interchangeability in function. + + + functional similarity + in functional equivalence relationship with + + + + + + Similarity that is characterized by interchangeability in function. + + + + + + + + + + + + + Biological homology that involves parts of the same organism. + + + iterative homologous to + in iterative homology relationship with + + + + + + Biological homology that involves parts of the same organism. + + + + + + + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + duplicate xenology + multiple xenology + paraxenologous to + in paraxenology relationship with + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + + + + + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + plerologous to + This phenomenon is usually due to gene conversion process. + in plerology relationship with + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + + + + + + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + homotopous to + Theissen (2005) mentions that some authors may consider homotopy to be distinct from homology, but this is not the standard use. + in homotopy relationship with + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + + ISBN:0123195837 + + + + + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + heterotopy + in homeosis relationship with + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + + + + + + + + + + + + Synology that results from allopolyploidy. + + + homoeologous to + On a long term, it is hard to distinguish allopolyploidy from whole genome duplication. + in homoeology relationship with + + + + + + Synology that results from allopolyploidy. + + + + + + + + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + axis paramorphism + in paramorphism relationship with + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + + + + + + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + regulogous to + in regulogy relationship with + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + + + + + + + + + + + + + + + + + + + + + + + + 0 + + + 100 + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + + 2018-05-22T16:43:28Z + This could be used to record the increased infant morality rate in some population compared to wild-type. For examples of usage see http://purl.obolibrary.org/obo/FBcv_0000351 and subclasses. + has increased age-specific mortality rate + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + PMID:24138933 + Wikipedia:Infant_mortality + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An entity that exists in full at any time in which it exists at all, persists through time while maintaining its identity and has no temporal parts. + continuant + + + + + + + + + + + + + + + + + + + + + + + + + + An entity that has temporal parts and that happens, unfolds or develops through time. + occurrent + + + + + + + + + + + + + + + + + b is an independent continuant = Def. b is a continuant which is such that there is no c and no t such that b s-depends_on c at t. (axiom label in BFO2 Reference: [017-002]) + A continuant that is a bearer of quality and realizable entity entities, in which other entities inhere and which itself cannot inhere in anything. + independent continuant + + + + + + + + + spatial region + + + + + + + + + + + + + + + p is a process = Def. p is an occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. (axiom label in BFO2 Reference: [083-003]) + An occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. + process + + + + + + + + + + disposition + + + + + + + + + + + + + + + + A specifically dependent continuant that inheres in continuant entities and are not exhibited in full at every time in which it inheres in an entity or group of entities. The exhibition or actualization of a realizable entity is a particular manifestation, functioning or process that occurs under certain circumstances. + realizable entity + + + + + + + + + + + + + + + quality + + + + + + + + + + + + + + + + b is a specifically dependent continuant = Def. b is a continuant & there is some independent continuant c which is not a spatial region and which is such that b s-depends_on c at every time t during the course of b’s existence. (axiom label in BFO2 Reference: [050-003]) + A continuant that inheres in or is borne by other entities. Every instance of A requires some specific instance of B which must always be the same. + specifically dependent continuant + + + + + + + + + A realizable entity the manifestation of which brings about some result or end that is not essential to a continuant in virtue of the kind of thing that it is but that can be served or participated in by that kind of continuant in some kinds of natural, social or institutional contexts. + role + + + + + + + + + + + + + + + b is a generically dependent continuant = Def. b is a continuant that g-depends_on one or more other entities. (axiom label in BFO2 Reference: [074-001]) + A continuant that is dependent on one or other independent continuant bearers. For every instance of A requires some instance of (an independent continuant type) B but which instance of B serves can change from time to time. + generically dependent continuant + + + + + + + + + function + + + + + + + + + + + + + + + + An independent continuant that is spatially extended whose identity is independent of that of other entities and can be maintained through time. + material entity + + + + + + + + + + + + + + + immaterial entity + + + + + + + + + + + + + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CALOHA:TS-2035 + FBbt:00007002 + FMA:68646 + GO:0005623 + KUPO:0000002 + MESH:D002477 + VHOG:0001533 + WBbt:0004017 + XAO:0003012 + The definition of cell is intended to represent all cells, and thus a cell is defined as a material entity and not an anatomical structure, which implies that it is part of an organism (or the entirety of one). + cell + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CARO:mah + + + + + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + BTO:0001037 + FBbt:00005124 + FMA:84649 + MESH:D011984 + WBbt:0005759 + sensory neuron + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + ISBN:0721662544 + + + + + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + + BTO:0000938 + CALOHA:TS-0683 + FBbt:00005106 + FMA:54527 + VHOG:0001483 + WBbt:0003679 + nerve cell + These cells are also reportedly CD4-negative and CD200-positive. They are also capable of producing CD40L and IFN-gamma. + neuron + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + MESH:D009474 + http://en.wikipedia.org/wiki/Neuron + + + + + + + + + A system which has the disposition to environ one or more material entities. + 2013-09-23T16:04:08Z + EcoLexicon:environment + environment + In ENVO's alignment with the Basic Formal Ontology, this class is being considered as a subclass of a proposed BFO class "system". The relation "environed_by" is also under development. Roughly, a system which includes a material entity (at least partially) within its site and causally influences that entity may be considered to environ it. Following the completion of this alignment, this class' definition and the definitions of its subclasses will be revised. + environmental system + + + + + A system which has the disposition to environ one or more material entities. + DOI:10.1186/2041-1480-4-43 + + + + + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EcoLexicon:habitat + LTER:238 + SWEETRealm:Habitat + https://en.wikipedia.org/wiki/Habitat + A habitat's specificity to an ecological population differentiates it from other environment classes. + habitat + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EnvO:EnvO + + + + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + molecular function + GO:0003674 + Note that, in addition to forming the root of the molecular function ontology, this term is recommended for use for the annotation of gene products whose molecular function is unknown. When this term is used for annotation, it indicates that no information was available about the molecular function of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. Despite its name, this is not a type of 'function' in the sense typically defined by upper ontologies such as Basic Formal Ontology (BFO). It is instead a BFO:process carried out by a single gene product or complex. + molecular_function + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + E2 + E3 + KEGG_REACTION:R03876 + Reactome:R-HSA-1169394 + Reactome:R-HSA-1169395 + Reactome:R-HSA-1169397 + Reactome:R-HSA-1169398 + Reactome:R-HSA-1169402 + Reactome:R-HSA-1169405 + Reactome:R-HSA-1169406 + Reactome:R-HSA-1234163 + Reactome:R-HSA-1234172 + Reactome:R-HSA-1253282 + Reactome:R-HSA-1358789 + Reactome:R-HSA-1358790 + Reactome:R-HSA-1358792 + Reactome:R-HSA-1363331 + Reactome:R-HSA-168915 + Reactome:R-HSA-173542 + Reactome:R-HSA-173545 + Reactome:R-HSA-174057 + Reactome:R-HSA-174104 + Reactome:R-HSA-174144 + Reactome:R-HSA-174159 + Reactome:R-HSA-174195 + Reactome:R-HSA-174227 + Reactome:R-HSA-179417 + Reactome:R-HSA-180540 + Reactome:R-HSA-180597 + Reactome:R-HSA-182986 + Reactome:R-HSA-182993 + Reactome:R-HSA-183036 + Reactome:R-HSA-183051 + Reactome:R-HSA-183084 + Reactome:R-HSA-183089 + Reactome:R-HSA-1852623 + Reactome:R-HSA-187575 + Reactome:R-HSA-1912357 + Reactome:R-HSA-1912386 + Reactome:R-HSA-1918092 + Reactome:R-HSA-1918095 + Reactome:R-HSA-1977296 + Reactome:R-HSA-1980074 + Reactome:R-HSA-1980118 + Reactome:R-HSA-201425 + Reactome:R-HSA-202453 + Reactome:R-HSA-202534 + Reactome:R-HSA-205118 + Reactome:R-HSA-209063 + Reactome:R-HSA-211734 + Reactome:R-HSA-2169050 + Reactome:R-HSA-2172172 + Reactome:R-HSA-2179276 + Reactome:R-HSA-2186747 + Reactome:R-HSA-2186785 + Reactome:R-HSA-2187368 + Reactome:R-HSA-2213017 + Reactome:R-HSA-264444 + Reactome:R-HSA-2682349 + Reactome:R-HSA-2730904 + Reactome:R-HSA-2737728 + Reactome:R-HSA-2769007 + Reactome:R-HSA-2900765 + Reactome:R-HSA-3000335 + Reactome:R-HSA-3134804 + Reactome:R-HSA-3134946 + Reactome:R-HSA-3249386 + Reactome:R-HSA-3780995 + Reactome:R-HSA-3781009 + Reactome:R-HSA-3788724 + Reactome:R-HSA-3797226 + Reactome:R-HSA-400267 + Reactome:R-HSA-4332236 + Reactome:R-HSA-446877 + Reactome:R-HSA-450358 + Reactome:R-HSA-451418 + Reactome:R-HSA-5205682 + Reactome:R-HSA-5357757 + Reactome:R-HSA-5362412 + Reactome:R-HSA-5483238 + Reactome:R-HSA-5607725 + Reactome:R-HSA-5607728 + Reactome:R-HSA-5607756 + Reactome:R-HSA-5607757 + Reactome:R-HSA-5610742 + Reactome:R-HSA-5610745 + Reactome:R-HSA-5610746 + Reactome:R-HSA-5652009 + Reactome:R-HSA-5655170 + Reactome:R-HSA-5660753 + Reactome:R-HSA-5667107 + Reactome:R-HSA-5667111 + Reactome:R-HSA-5668454 + Reactome:R-HSA-5668534 + Reactome:R-HSA-5675470 + Reactome:R-HSA-5684250 + Reactome:R-HSA-5691108 + Reactome:R-HSA-5693108 + Reactome:R-HSA-68712 + Reactome:R-HSA-69598 + Reactome:R-HSA-741386 + Reactome:R-HSA-75824 + Reactome:R-HSA-870449 + Reactome:R-HSA-8948709 + Reactome:R-HSA-8956106 + Reactome:R-HSA-9013069 + Reactome:R-HSA-9013974 + Reactome:R-HSA-9014342 + Reactome:R-HSA-918224 + Reactome:R-HSA-936412 + Reactome:R-HSA-936942 + Reactome:R-HSA-936986 + Reactome:R-HSA-9628444 + Reactome:R-HSA-9645394 + Reactome:R-HSA-9645414 + Reactome:R-HSA-9688831 + Reactome:R-HSA-9701000 + Reactome:R-HSA-9750946 + Reactome:R-HSA-975118 + Reactome:R-HSA-975147 + Reactome:R-HSA-9758604 + Reactome:R-HSA-9793444 + Reactome:R-HSA-9793485 + Reactome:R-HSA-9793679 + Reactome:R-HSA-9796346 + Reactome:R-HSA-9796387 + Reactome:R-HSA-9796626 + Reactome:R-HSA-9815507 + Reactome:R-HSA-9817362 + Reactome:R-HSA-983140 + Reactome:R-HSA-983153 + Reactome:R-HSA-983156 + ubiquitin conjugating enzyme activity + ubiquitin ligase activity + ubiquitin protein ligase activity + ubiquitin protein-ligase activity + ubiquitin-conjugating enzyme activity + GO:0004842 + ubiquitin-protein transferase activity + + + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + GOC:BioGRID + GOC:jh2 + PMID:9635407 + + + + + Reactome:R-HSA-1169394 + ISGylation of IRF3 + + + + + Reactome:R-HSA-1169395 + ISGylation of viral protein NS1 + + + + + Reactome:R-HSA-1169397 + Activation of ISG15 by UBA7 E1 ligase + + + + + Reactome:R-HSA-1169398 + ISGylation of host protein filamin B + + + + + Reactome:R-HSA-1169402 + ISGylation of E2 conjugating enzymes + + + + + Reactome:R-HSA-1169405 + ISGylation of protein phosphatase 1 beta (PP2CB) + + + + + Reactome:R-HSA-1169406 + ISGylation of host proteins + + + + + Reactome:R-HSA-1234163 + Cytosolic VBC complex ubiquitinylates hydroxyprolyl-HIF-alpha + + + + + Reactome:R-HSA-1234172 + Nuclear VBC complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-1253282 + ERBB4 ubiquitination by WWP1/ITCH + + + + + Reactome:R-HSA-1358789 + Self-ubiquitination of RNF41 + + + + + Reactome:R-HSA-1358790 + RNF41 ubiquitinates ERBB3 + + + + + Reactome:R-HSA-1358792 + RNF41 ubiquitinates activated ERBB3 + + + + + Reactome:R-HSA-1363331 + Ubiquitination of p130 (RBL2) by SCF (Skp2) + + + + + Reactome:R-HSA-168915 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-173542 + SMURF2 ubiquitinates SMAD2 + + + + + Reactome:R-HSA-173545 + Ubiquitin-dependent degradation of the SMAD complex terminates TGF-beta signaling + + + + + Reactome:R-HSA-174057 + Multiubiquitination of APC/C-associated Cdh1 + + + + + Reactome:R-HSA-174104 + Ubiquitination of Cyclin A by APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174144 + Ubiquitination of Securin by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174159 + Ubiquitination of Emi1 by SCF-beta-TrCP + + + + + Reactome:R-HSA-174195 + Ubiquitination of cell cycle proteins targeted by the APC/C:Cdh1complex + + + + + Reactome:R-HSA-174227 + Ubiquitination of Cyclin B by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-179417 + Multiubiquitination of Nek2A + + + + + Reactome:R-HSA-180540 + Multi-ubiquitination of APOBEC3G + + + + + Reactome:R-HSA-180597 + Ubiquitination of CD4 by Vpu:CD4:beta-TrCP:SKP1 complex + + + + + Reactome:R-HSA-182986 + CBL-mediated ubiquitination of CIN85 + + + + + Reactome:R-HSA-182993 + Ubiquitination of stimulated EGFR (CBL) + + + + + Reactome:R-HSA-183036 + Ubiquitination of stimulated EGFR (CBL:GRB2) + + + + + Reactome:R-HSA-183051 + CBL ubiquitinates Sprouty + + + + + Reactome:R-HSA-183084 + CBL escapes CDC42-mediated inhibition by down-regulating the adaptor molecule Beta-Pix + + + + + Reactome:R-HSA-183089 + CBL binds and ubiquitinates phosphorylated Sprouty + + + + + Reactome:R-HSA-1852623 + Ubiquitination of NICD1 by FBWX7 + + + + + Reactome:R-HSA-187575 + Ubiquitination of phospho-p27/p21 + + + + + Reactome:R-HSA-1912357 + ITCH ubiquitinates DTX + + + + + Reactome:R-HSA-1912386 + Ubiquitination of NOTCH1 by ITCH in the absence of ligand + + + + + Reactome:R-HSA-1918092 + CHIP (STUB1) mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1918095 + CUL5 mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1977296 + NEDD4 ubiquitinates ERBB4jmAcyt1s80 dimer + + + + + Reactome:R-HSA-1980074 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 + + + + + Reactome:R-HSA-1980118 + ARRB mediates NOTCH1 ubiquitination + + + + + Reactome:R-HSA-201425 + Ubiquitin-dependent degradation of the Smad complex terminates BMP2 signalling + + + + + Reactome:R-HSA-202453 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-202534 + Ubiquitination of NEMO by TRAF6 + + + + + Reactome:R-HSA-205118 + TRAF6 polyubiquitinates NRIF + + + + + Reactome:R-HSA-209063 + Beta-TrCP ubiquitinates NFKB p50:p65:phospho IKBA complex + + + + + Reactome:R-HSA-211734 + Ubiquitination of PAK-2p34 + + + + + Reactome:R-HSA-2169050 + SMURFs/NEDD4L ubiquitinate phosphorylated TGFBR1 and SMAD7 + + + + + Reactome:R-HSA-2172172 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH2 + + + + + Reactome:R-HSA-2179276 + SMURF2 monoubiquitinates SMAD3 + + + + + Reactome:R-HSA-2186747 + Ubiquitination of SKI/SKIL by RNF111/SMURF2 + + + + + Reactome:R-HSA-2186785 + RNF111 ubiquitinates SMAD7 + + + + + Reactome:R-HSA-2187368 + STUB1 (CHIP) ubiquitinates SMAD3 + + + + + Reactome:R-HSA-2213017 + Auto-ubiquitination of TRAF3 + + + + + Reactome:R-HSA-264444 + Autoubiquitination of phospho-COP1(Ser-387 ) + + + + + Reactome:R-HSA-2682349 + RAF1:SGK:TSC22D3:WPP ubiquitinates SCNN channels + + + + + Reactome:R-HSA-2730904 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-2737728 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD domain mutants + + + + + Reactome:R-HSA-2769007 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 PEST domain mutants + + + + + Reactome:R-HSA-2900765 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD+PEST domain mutants + + + + + Reactome:R-HSA-3000335 + SCF-beta-TrCp1/2 ubiquitinates phosphorylated BORA + + + + + Reactome:R-HSA-3134804 + STING ubiquitination by TRIM32 or TRIM56 + + + + + Reactome:R-HSA-3134946 + DDX41 ubiquitination by TRIM21 + + + + + Reactome:R-HSA-3249386 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:dsDNA:ZBP1:TBK1 + + + + + Reactome:R-HSA-3780995 + NHLRC1 mediated ubiquitination of EPM2A (laforin) and PPP1RC3 (PTG) associated with glycogen-GYG2 + + + + + Reactome:R-HSA-3781009 + NHLRC1 mediated ubiquitination of EPM2A and PPP1RC3 associated with glycogen-GYG1 + + + + + Reactome:R-HSA-3788724 + Cdh1:APC/C ubiquitinates EHMT1 and EHMT2 + + + + + Reactome:R-HSA-3797226 + Defective NHLRC1 does not ubiquitinate EPM2A (laforin) and PPP1R3C (PTG) (type 2B disease) + + + + + Reactome:R-HSA-400267 + BTRC:CUL1:SKP1 (SCF-beta-TrCP1) ubiquitinylates PER proteins + + + + + Reactome:R-HSA-4332236 + CBL neddylates TGFBR2 + + + + + Reactome:R-HSA-446877 + TRAF6 is K63 poly-ubiquitinated + + + + + Reactome:R-HSA-450358 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR stimulation + + + + + Reactome:R-HSA-451418 + Pellino ubiquitinates IRAK1 + + + + + Reactome:R-HSA-5205682 + Parkin promotes the ubiquitination of mitochondrial substrates + + + + + Reactome:R-HSA-5357757 + BIRC(cIAP1/2) ubiquitinates RIPK1 + + + + + Reactome:R-HSA-5362412 + SYVN1 ubiquitinates Hh C-terminal fragments + + + + + Reactome:R-HSA-5483238 + Hh processing variants are ubiquitinated + + + + + Reactome:R-HSA-5607725 + SCF-beta-TRCP ubiquitinates p-7S-p100:RELB in active NIK:p-176,S180-IKKA dimer:p-7S-p100:SCF-beta-TRCP + + + + + Reactome:R-HSA-5607728 + beta-TRCP ubiquitinates IkB-alpha in p-S32,33-IkB-alpha:NF-kB complex + + + + + Reactome:R-HSA-5607756 + TRAF6 oligomer autoubiquitinates + + + + + Reactome:R-HSA-5607757 + K63polyUb-TRAF6 ubiquitinates TAK1 + + + + + Reactome:R-HSA-5610742 + SCF(beta-TrCP) ubiquitinates p-GLI1 + + + + + Reactome:R-HSA-5610745 + SCF(beta-TrCP) ubiquitinates p-GLI2 + + + + + Reactome:R-HSA-5610746 + SCF(beta-TrCP) ubiquitinates p-GLI3 + + + + + Reactome:R-HSA-5652009 + RAD18:UBE2B or RBX1:CUL4:DDB1:DTL monoubiquitinates PCNA + + + + + Reactome:R-HSA-5655170 + RCHY1 monoubiquitinates POLH + + + + + Reactome:R-HSA-5660753 + SIAH1:UBE2L6:Ubiquitin ubiquitinates SNCA + + + + + Reactome:R-HSA-5667107 + SIAH1, SIAH2 ubiquitinate SNCAIP + + + + + Reactome:R-HSA-5667111 + PARK2 K63-Ubiquitinates SNCAIP + + + + + Reactome:R-HSA-5668454 + K63polyUb-cIAP1,2 ubiquitinates TRAF3 + + + + + Reactome:R-HSA-5668534 + cIAP1,2 ubiquitinates NIK in cIAP1,2:TRAF2::TRAF3:NIK + + + + + Reactome:R-HSA-5675470 + BIRC2/3 (cIAP1/2) is autoubiquitinated + + + + + Reactome:R-HSA-5684250 + SCF betaTrCP ubiquitinates NFKB p105 within p-S927, S932-NFkB p105:TPL2:ABIN2 + + + + + Reactome:R-HSA-5691108 + SKP1:FBXL5:CUL1:NEDD8 ubiquitinylates IREB2 + + + + + Reactome:R-HSA-5693108 + TNFAIP3 (A20) ubiquitinates RIPK1 with K48-linked Ub chains + + + + + Reactome:R-HSA-68712 + The geminin component of geminin:Cdt1 complexes is ubiquitinated, releasing Cdt1 + + + + + Reactome:R-HSA-69598 + Ubiquitination of phosphorylated Cdc25A + + + + + Reactome:R-HSA-741386 + RIP2 induces K63-linked ubiquitination of NEMO + + + + + Reactome:R-HSA-75824 + Ubiquitination of Cyclin D1 + + + + + Reactome:R-HSA-870449 + TRIM33 monoubiquitinates SMAD4 + + + + + Reactome:R-HSA-8948709 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:STING:TBK1:IRF3 + + + + + Reactome:R-HSA-8956106 + VHL:EloB,C:NEDD8-CUL2:RBX1 complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-9013069 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH3 + + + + + Reactome:R-HSA-9013974 + Auto-ubiquitination of TRAF3 within activated TLR3 complex + + + + + Reactome:R-HSA-9014342 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-918224 + DDX58 is K63 polyubiquitinated + + + + + Reactome:R-HSA-936412 + RNF125 mediated ubiquitination of DDX58, IFIH1 and MAVS + + + + + Reactome:R-HSA-936942 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 + + + + + Reactome:R-HSA-936986 + Activated TRAF6 synthesizes unanchored polyubiquitin chains + + + + + Reactome:R-HSA-9628444 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR3 stimulation + + + + + Reactome:R-HSA-9645394 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon ALPK1:ADP-heptose stimulation + + + + + Reactome:R-HSA-9645414 + Auto ubiquitination of TRAF6 bound to ALPK1:ADP-heptose:TIFA oligomer + + + + + Reactome:R-HSA-9688831 + STUB1 ubiquitinates RIPK3 at K55, K363 + + + + + Reactome:R-HSA-9701000 + BRCA1:BARD1 heterodimer autoubiquitinates + + + + + Reactome:R-HSA-9750946 + TRAF2,6 ubiquitinates NLRC5 + + + + + Reactome:R-HSA-975118 + TRAF6 ubiquitinqtes IRF7 within the activated TLR7/8 or 9 complex + + + + + Reactome:R-HSA-975147 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 at endosome membrane + + + + + Reactome:R-HSA-9758604 + Ubiquitination of IKBKG by TRAF6 + + + + + Reactome:R-HSA-9793444 + ITCH polyubiquitinates MLKL at K50 + + + + + Reactome:R-HSA-9793485 + PRKN polyubiquitinates RIPK3 + + + + + Reactome:R-HSA-9793679 + LUBAC ubiquitinates RIPK1 at K627 + + + + + Reactome:R-HSA-9796346 + MIB2 ubiquitinates RIPK1 at K377, K604, K634 + + + + + Reactome:R-HSA-9796387 + STUB1 ubiquitinates RIPK1 at K571, K604, K627 + + + + + Reactome:R-HSA-9796626 + MIB2 ubiquitinates CFLAR + + + + + Reactome:R-HSA-9815507 + MIB2 ubiquitinates CYLD at K338, K530 + + + + + Reactome:R-HSA-9817362 + SPATA2:CYLD-bound LUBAC ubiquitinates RIPK1 at K627 within the TNFR1 signaling complex + + + + + Reactome:R-HSA-983140 + Transfer of Ub from E2 to substrate and release of E2 + + + + + Reactome:R-HSA-983153 + E1 mediated ubiquitin activation + + + + + Reactome:R-HSA-983156 + Polyubiquitination of substrate + + + + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + NIF_Subcellular:sao1702920020 + Wikipedia:Cell_nucleus + cell nucleus + horsetail nucleus + GO:0005634 + nucleus + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + GOC:go_curators + + + + + horsetail nucleus + GOC:al + GOC:mah + GOC:vw + PMID:15030757 + + + + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + jl + 2012-09-19T15:05:24Z + Wikipedia:Biological_process + biological process + physiological process + single organism process + single-organism process + GO:0008150 + Note that, in addition to forming the root of the biological process ontology, this term is recommended for use for the annotation of gene products whose biological process is unknown. When this term is used for annotation, it indicates that no information was available about the biological process of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. + biological_process + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + Reactome:R-HSA-6788855 + Reactome:R-HSA-6788867 + phosphokinase activity + GO:0016301 + Note that this term encompasses all activities that transfer a single phosphate group; although ATP is by far the most common phosphate donor, reactions using other phosphate donors are included in this term. + kinase activity + + + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + ISBN:0198506732 + + + + + Reactome:R-HSA-6788855 + FN3KRP phosphorylates PsiAm, RibAm + + + + + Reactome:R-HSA-6788867 + FN3K phosphorylates ketosamines + + + + + + + + + + + + true + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + Reactome:R-HSA-141367 + Reactome:R-HSA-162914 + GO:0019107 + myristoyltransferase activity + + + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + GOC:ai + + + + + Reactome:R-HSA-141367 + Myristoylation of tBID by NMT1 + + + + + Reactome:R-HSA-162914 + Myristoylation of Nef + + + + + + + + + information content entity + information content entity + + + + + + + + + + + + + + + + + + + + + + + curation status specification + + The curation status of the term. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + Better to represent curation as a process with parts and then relate labels to that process (in IAO meeting) + PERSON:Bill Bug + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + OBI_0000266 + curation status specification + + + + + + + + + organism + animal + fungus + plant + virus + + A material entity that is an individual living system, such as animal, plant, bacteria or virus, that is capable of replicating or reproducing, growth and maintenance in the right environment. An organism may be unicellular or made up, like humans, of many billions of cells divided into specialized tissues and organs. + 10/21/09: This is a placeholder term, that should ideally be imported from the NCBI taxonomy, but the high level hierarchy there does not suit our needs (includes plasmids and 'other organisms') + 13-02-2009: +OBI doesn't take position as to when an organism starts or ends being an organism - e.g. sperm, foetus. +This issue is outside the scope of OBI. + GROUP: OBI Biomaterial Branch + WEB: http://en.wikipedia.org/wiki/Organism + organism + + + + + + + + + A disposition (i) to undergo pathological processes that (ii) exists in an organism because of one or more disorders in that organism. + disease + + + + + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATO:0000001 + quality + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATOC:GVG + + + + + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + + ramified + ramiform + PATO:0000402 + branched + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + WordNet:WordNet + + + + + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + PATO:0001199 + linear + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + ISBN:0881923214 + + + + + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + + 2009-10-06T04:37:14Z + PATO:0002124 + laminar + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + PATOC:GVG + + + + + + + + + An exposure event in which a human is exposed to particulate matter in the air. Here the exposure stimulus/stress is the particulate matter, the receptor is the airways and lungs of the human, + An exposure event in which a plant is provided with fertilizer. The exposure receptor is the root system of the plant, the stimulus is the fertilizing chemical, the route is via the soil, possibly mediated by symbotic microbes. + A process occurring within or in the vicinity of an organism that exerts some causal influence on the organism via the interaction between an exposure stimulus and an exposure receptor. The exposure stimulus may be a process, material entity or condition (for example, lack of nutrients). The exposure receptor can be an organism, organism population or a part of an organism. + This class is intended as a grouping for various domain and species-specific exposure classes. The ExO class http://purl.obolibrary.org/obo/ExO_0000002 'exposure event' assumes that all exposures involve stressors, which limits the applicability of this class to 'positive' exposures, e.g. exposing a plant to beneficial growing conditions. + + + 2017-06-05T17:55:39Z + exposure event or process + https://github.com/oborel/obo-relations/pull/173 + + + + + + + + + + + + + + Any entity that is ordered in discrete units along a linear axis. + + sequentially ordered entity + + + + + + + + + Any individual unit of a collection of like units arranged in a linear order + + An individual unit can be a molecular entity such as a base pair, or an abstract entity, such as the abstraction of a base pair. + sequence atomic unit + + + + + + + + + Any entity that can be divided into parts such that each part is an atomical unit of a sequence + + Sequence bearers can be molecular entities, such as a portion of a DNA molecule, or they can be abstract entities, such as an entity representing all human sonic hedgehog regions of the genome with a particular DNA sequence. + sequence bearer + + + + + + + + + A material entity consisting of multiple components that are causally integrated. + May be replaced by a BFO class, as discussed in http://www.jbiomedsem.com/content/4/1/43 + + http://www.jbiomedsem.com/content/4/1/43 + system + + + + + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + + + AAO:0010825 + AEO:0000003 + BILA:0000003 + CARO:0000003 + EHDAA2:0003003 + EMAPA:0 + FBbt:00007001 + FMA:305751 + FMA:67135 + GAID:781 + HAO:0000003 + MA:0003000 + MESH:D000825 + SCTID:362889002 + TAO:0000037 + TGMA:0001823 + VHOG:0001759 + XAO:0003000 + ZFA:0000037 + http://dbpedia.org/ontology/AnatomicalStructure + biological structure + connected biological structure + UBERON:0000061 + + + anatomical structure + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + CARO:0000003 + + + + + connected biological structure + CARO:0000003 + + + + + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBbt:00005099 + NLX:147821 + funiculus + nerve fiber bundle + neural fiber bundle + UBERON:0000122 + neuron projection bundle + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBC:DOS + FBbt:00005099 + + + + + nerve fiber bundle + FBbt:00005099 + + + + + + + + + + + Anatomical entity that has mass. + + + AAO:0010264 + AEO:0000006 + BILA:0000006 + CARO:0000006 + EHDAA2:0003006 + FBbt:00007016 + FMA:67165 + HAO:0000006 + TAO:0001836 + TGMA:0001826 + VHOG:0001721 + UBERON:0000465 + + + material anatomical entity + + + + + Anatomical entity that has mass. + http://orcid.org/0000-0001-9114-8737 + + + + + + + + + + Anatomical entity that has no mass. + + + AAO:0010265 + AEO:0000007 + BILA:0000007 + CARO:0000007 + EHDAA2:0003007 + FBbt:00007015 + FMA:67112 + HAO:0000007 + TAO:0001835 + TGMA:0001827 + VHOG:0001727 + immaterial physical anatomical entity + UBERON:0000466 + + + immaterial anatomical entity + + + + + Anatomical entity that has no mass. + http://orcid.org/0000-0001-9114-8737 + + + + + immaterial physical anatomical entity + FMA:67112 + + + + + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + + + AAO:0010841 + AEO:0000000 + BILA:0000000 + BIRNLEX:6 + CARO:0000000 + EHDAA2:0002229 + FBbt:10000000 + FMA:62955 + HAO:0000000 + MA:0000001 + NCIT:C12219 + TAO:0100000 + TGMA:0001822 + UMLS:C1515976 + WBbt:0000100 + XAO:0000000 + ZFA:0100000 + UBERON:0001062 + + + anatomical entity + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + FMA:62955 + http://orcid.org/0000-0001-9114-8737 + + + + + UMLS:C1515976 + ncithesaurus:Anatomic_Structure_System_or_Substance + + + + + + + + + An anatomical structure that has more than one cell as a part. + + + CARO:0010000 + FBbt:00100313 + multicellular structure + UBERON:0010000 + + + multicellular anatomical structure + + + + + An anatomical structure that has more than one cell as a part. + CARO:0010000 + + + + + multicellular structure + FBbt:00100313 + + + + + + + + + phenotype + + + + + + + + + + + + + + + + + + + example to be eventually removed + example to be eventually removed + + + + + + + + metadata complete + Class has all its metadata, but is either not guaranteed to be in its final location in the asserted IS_A hierarchy or refers to another class that is not complete. + metadata complete + + + + + + + + organizational term + Term created to ease viewing/sort terms for development purpose, and will not be included in a release + organizational term + + + + + + + + ready for release + + Class has undergone final review, is ready for use, and will be included in the next release. Any class lacking "ready_for_release" should be considered likely to change place in hierarchy, have its definition refined, or be obsoleted in the next release. Those classes deemed "ready_for_release" will also derived from a chain of ancestor classes that are also "ready_for_release." + ready for release + + + + + + + + metadata incomplete + Class is being worked on; however, the metadata (including definition) are not complete or sufficiently clear to the branch editors. + metadata incomplete + + + + + + + + uncurated + Nothing done yet beyond assigning a unique class ID and proposing a preferred term. + uncurated + + + + + + + + + pending final vetting + + All definitions, placement in the asserted IS_A hierarchy and required minimal metadata are complete. The class is awaiting a final review by someone other than the term editor. + pending final vetting + + + + + + + + to be replaced with external ontology term + Terms with this status should eventually replaced with a term from another ontology. + Alan Ruttenberg + group:OBI + to be replaced with external ontology term + + + + + + + + + requires discussion + + A term that is metadata complete, has been reviewed, and problems have been identified that require discussion before release. Such a term requires editor note(s) to identify the outstanding issues. + Alan Ruttenberg + group:OBI + requires discussion + + + + + + + + ## Elucidation + +This is used when the statement/axiom is assumed to hold true &apos;eternally&apos; + +## How to interpret (informal) + +First the &quot;atemporal&quot; FOL is derived from the OWL using the standard +interpretation. This axiom is temporalized by embedding the axiom +within a for-all-times quantified sentence. The t argument is added to +all instantiation predicates and predicates that use this relation. + +## Example + + Class: nucleus + SubClassOf: part_of some cell + + forall t : + forall n : + instance_of(n,Nucleus,t) + implies + exists c : + instance_of(c,Cell,t) + part_of(n,c,t) + +## Notes + +This interpretation is *not* the same as an at-all-times relation + axiom holds for all times + + + + + + + + ## Elucidation + +This is used when the first-order logic form of the relation is +binary, and takes no temporal argument. + +## Example: + + Class: limb + SubClassOf: develops_from some lateral-plate-mesoderm + + forall t, t2: + forall x : + instance_of(x,Limb,t) + implies + exists y : + instance_of(y,LPM,t2) + develops_from(x,y) + relation has no temporal argument + + + + + + + + Researcher + Austin Meier + + + + + Researcher + + + + + + Austin Meier + + + + + + + + + researcher + Shawn Zheng Kai Tan + + + + + researcher + + + + + + Shawn Zheng Kai Tan + + + + + + + + + researcher, metadata, diseases, University of Maryland + Lynn Schriml + + + + + researcher, metadata, diseases, University of Maryland + + + + + + Lynn Schriml + + + + + + + + + data scientist + Anne Thessen + + + + + data scientist + + + + + + Anne Thessen + + + + + + + + + researcher + Pier Luigi Buttigieg + + + + + researcher + + + + + + Pier Luigi Buttigieg + + + + + + + + + bioinformatics researcher + Christopher J. Mungall + + + + + bioinformatics researcher + + + + + + Christopher J. Mungall + + + + + + + + + researcher + David Osumi-Sutherland + + + + + researcher + + + + + + David Osumi-Sutherland + + + + + + + + + researcher + Lauren E. Chan + + + + + researcher + + + + + + Lauren E. Chan + + + + + + + + + researcher + Marie-Angélique Laporte + + + + + researcher + + + + + + Marie-Angélique Laporte + + + + + + + + + researcher + James P. Balhoff + + + + + researcher + + + + + + James P. Balhoff + + + + + + + + + researcher + Lindsay G Cowell + + + + + researcher + + + + + + Lindsay G Cowell + + + + + + + + + researcher + Anna Maria Masci + + + + + researcher + + + + + + Anna Maria Masci + + + + + + + + + American chemist + Charles Tapley Hoyt + + + + + American chemist + + + + + + Charles Tapley Hoyt + + + + + + + + + + + + data item + data item + + + data about an ontology part + Data about an ontology part is a data item about a part of an ontology, for example a term + Person:Alan Ruttenberg + data about an ontology part + + + failed exploratory term + The term was used in an attempt to structure part of the ontology but in retrospect failed to do a good job + Person:Alan Ruttenberg + failed exploratory term + + + in branch + An annotation property indicating which module the terms belong to. This is currently experimental and not implemented yet. + GROUP:OBI + OBI_0000277 + in branch + + + Core is an instance of a grouping of terms from an ontology or ontologies. It is used by the ontology to identify main classes. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolete_core + + + obsolescence reason specification + + The reason for which a term has been deprecated. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + The creation of this class has been inspired in part by Werner Ceusters' paper, Applying evolutionary terminology auditing to the Gene Ontology. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolescence reason specification + + + placeholder removed + placeholder removed + + + terms merged + An editor note should explain what were the merged terms and the reason for the merge. + terms merged + + + term imported + This is to be used when the original term has been replaced by a term imported from an other ontology. An editor note should indicate what is the URI of the new term to use. + term imported + + + term split + This is to be used when a term has been split in two or more new terms. An editor note should indicate the reason for the split and indicate the URIs of the new terms created. + term split + + + has obsolescence reason + Relates an annotation property to an obsolescence reason. The values of obsolescence reasons come from a list of predefined terms, instances of the class obsolescence reason specification. + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + has obsolescence reason + + + ontology term requester + + The name of the person, project, or organization that motivated inclusion of an ontology term by requesting its addition. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'term requester' can credit the person, organization or project who request the ontology term. + ontology term requester + + + denotator type + The Basic Formal Ontology ontology makes a distinction between Universals and defined classes, where the formal are "natural kinds" and the latter arbitrary collections of entities. + A denotator type indicates how a term should be interpreted from an ontological perspective. + Alan Ruttenberg + Barry Smith, Werner Ceusters + denotator type + + + universal + Hard to give a definition for. Intuitively a "natural kind" rather than a collection of any old things, which a class is able to be, formally. At the meta level, universals are defined as positives, are disjoint with their siblings, have single asserted parents. + Alan Ruttenberg + A Formal Theory of Substances, Qualities, and Universals, http://ontology.buffalo.edu/bfo/SQU.pdf + universal + + + is denotator type + Relates an class defined in an ontology, to the type of it's denotator + In OWL 2 add AnnotationPropertyRange('is denotator type' 'denotator type') + Alan Ruttenberg + is denotator type + + + defined class + A defined class is a class that is defined by a set of logically necessary and sufficient conditions but is not a universal + "definitions", in some readings, always are given by necessary and sufficient conditions. So one must be careful (and this is difficult sometimes) to distinguish between defined classes and universal. + Alan Ruttenberg + defined class + + + named class expression + A named class expression is a logical expression that is given a name. The name can be used in place of the expression. + named class expressions are used in order to have more concise logical definition but their extensions may not be interesting classes on their own. In languages such as OWL, with no provisions for macros, these show up as actuall classes. Tools may with to not show them as such, and to replace uses of the macros with their expansions + Alan Ruttenberg + named class expression + + + antisymmetric property + part_of antisymmetric property xsd:true + Use boolean value xsd:true to indicate that the property is an antisymmetric property + Alan Ruttenberg + antisymmetric property + + + has ID digit count + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to the number of digits in the URI. The URI is: the 'has ID prefix" annotation property value concatenated with an integer in the id range (left padded with "0"s to make this many digits) + Person:Alan Ruttenberg + has ID digit count + + + has ID range allocated + Datatype: idrange:1 +Annotations: 'has ID range allocated to': "Chris Mungall" +EquivalentTo: xsd:integer[> 2151 , <= 2300] + + Relates a datatype that encodes a range of integers to the name of the person or organization who can use those ids constructed in that range to define new terms + Person:Alan Ruttenberg + has ID range allocated to + + + has ID policy for + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relating an ontology used to record id policy to the ontology namespace whose policy it manages + Person:Alan Ruttenberg + has ID policy for + + + has ID prefix + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to a prefix concatenated with an integer in the id range (left padded with "0"s to make this many digits) to construct an ID for a term being created. + Person:Alan Ruttenberg + has ID prefix + + + has associated axiom(nl) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom associated with a term expressed using natural language + has associated axiom(nl) + + + has associated axiom(fol) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom expressed in first order logic using CLIF syntax + has associated axiom(fol) + + + is allocated id range + Relates an ontology IRI to an (inclusive) range of IRIs in an OBO name space. The range is give as, e.g. "IAO_0020000-IAO_0020999" + PERSON:Alan Ruttenberg + Add as annotation triples in the granting ontology + is allocated id range + + + may be identical to + A annotation relationship between two terms in an ontology that may refer to the same (natural) type but where more evidence is required before terms are merged. + David Osumi-Sutherland + Edges asserting this should be annotated with to record evidence supporting the assertion and its provenance. + may be identical to + + + scheduled for obsoletion on or after + Used when the class or object is scheduled for obsoletion/deprecation on or after a particular date. + Chris Mungall, Jie Zheng + scheduled for obsoletion on or after + + + has axiom id + Person:Alan Ruttenberg + Person:Alan Ruttenberg + A URI that is intended to be unique label for an axiom used for tracking change to the ontology. For an axiom expressed in different languages, each expression is given the same URI + has axiom label + + + ontology module + I have placed this under 'data about an ontology part', but this can be discussed. I think this is OK if 'part' is interpreted reflexively, as an ontology module is the whole ontology rather than part of it. + ontology file + This class and it's subclasses are applied to OWL ontologies. Using an rdf:type triple will result in problems with OWL-DL. I propose that dcterms:type is instead used to connect an ontology URI with a class from this hierarchy. The class hierarchy is not disjoint, so multiple assertions can be made about a single ontology. + ontology module + + + base ontology module + An ontology module that comprises only of asserted axioms local to the ontology, excludes import directives, and excludes axioms or declarations from external ontologies. + base ontology module + + + + editors ontology module + An ontology module that is intended to be directly edited, typically managed in source control, and typically not intended for direct consumption by end-users. + source ontology module + editors ontology module + + + main release ontology module + An ontology module that is intended to be the primary release product and the one consumed by the majority of tools. + TODO: Add logical axioms that state that a main release ontology module is derived from (directly or indirectly) an editors module + main release ontology module + + + bridge ontology module + An ontology module that consists entirely of axioms that connect or bridge two distinct ontology modules. For example, the Uberon-to-ZFA bridge module. + bridge ontology module + + + + import ontology module + A subset ontology module that is intended to be imported from another ontology. + TODO: add axioms that indicate this is the output of a module extraction process. + import file + import ontology module + + + + subset ontology module + An ontology module that is extracted from a main ontology module and includes only a subset of entities or axioms. + ontology slim + subset ontology + subset ontology module + + + + + curation subset ontology module + A subset ontology that is intended as a whitelist for curators using the ontology. Such a subset will exclude classes that curators should not use for curation. + curation subset ontology module + + + analysis ontology module + An ontology module that is intended for usage in analysis or discovery applications. + analysis subset ontology module + + + single layer ontology module + A subset ontology that is largely comprised of a single layer or strata in an ontology class hierarchy. The purpose is typically for rolling up for visualization. The classes in the layer need not be disjoint. + ribbon subset + single layer subset ontology module + + + exclusion subset ontology module + A subset of an ontology that is intended to be excluded for some purpose. For example, a blacklist of classes. + antislim + exclusion subset ontology module + + + external import ontology module + An imported ontology module that is derived from an external ontology. Derivation methods include the OWLAPI SLME approach. + external import + external import ontology module + + + species subset ontology module + A subset ontology that is crafted to either include or exclude a taxonomic grouping of species. + taxon subset + species subset ontology module + + + + reasoned ontology module + An ontology module that contains axioms generated by a reasoner. The generated axioms are typically direct SubClassOf axioms, but other possibilities are available. + reasoned ontology module + + + + generated ontology module + An ontology module that is automatically generated, for example via a SPARQL query or via template and a CSV. + TODO: Add axioms (using PROV-O?) that indicate this is the output-of some reasoning process + generated ontology module + + + template generated ontology module + An ontology module that is automatically generated from a template specification and fillers for slots in that template. + template generated ontology module + + + + + + taxonomic bridge ontology module + taxonomic bridge ontology module + + + ontology module subsetted by expressivity + ontology module subsetted by expressivity + + + obo basic subset ontology module + A subset ontology that is designed for basic applications to continue to make certain simplifying assumptions; many of these simplifying assumptions were based on the initial version of the Gene Ontology, and have become enshrined in many popular and useful tools such as term enrichment tools. + +Examples of such assumptions include: traversing the ontology graph ignoring relationship types using a naive algorithm will not lead to cycles (i.e. the ontology is a DAG); every referenced term is declared in the ontology (i.e. there are no dangling clauses). + +An ontology is OBO Basic if and only if it has the following characteristics: +DAG +Unidirectional +No Dangling Clauses +Fully Asserted +Fully Labeled +No equivalence axioms +Singly labeled edges +No qualifier lists +No disjointness axioms +No owl-axioms header +No imports + obo basic subset ontology module + + + + ontology module subsetted by OWL profile + ontology module subsetted by OWL profile + + + EL++ ontology module + EL++ ontology module + + + The term was added to the ontology on the assumption it was in scope, but it turned out later that it was not. + This obsolesence reason should be used conservatively. Typical valid examples are: un-necessary grouping classes in disease ontologies, a phenotype term added on the assumption it was a disease. + + out of scope + + + This is an annotation used on an object property to indicate a logical characterstic beyond what is possible in OWL. + OBO Operations call + + logical characteristic of object property + + + CHEBI:26523 (reactive oxygen species) has an exact synonym (ROS), which is of type OMO:0003000 (abbreviation) + A synonym type for describing abbreviations or initalisms + + abbreviation + + + A synonym type for describing ambiguous synonyms + + ambiguous synonym + + + A synonym type for describing dubious synonyms + + dubious synonym + + + EFO:0006346 (severe cutaneous adverse reaction) has an exact synonym (scar), which is of the type OMO:0003003 (layperson synonym) + A synonym type for describing layperson or colloquial synonyms + + layperson synonym + + + CHEBI:23367 (molecular entity) has an exact synonym (molecular entities), which is of the type OMO:0003004 (plural form) + A synonym type for describing pluralization synonyms + + plural form + + + CHEBI:16189 (sulfate) has an exact synonym (sulphate), which is of the type OMO:0003005 (UK spelling synonym) + A synonym type for describing UK spelling variants + + UK spelling synonym + + + A synonym type for common misspellings + + misspelling + + + A synonym type for misnomers, i.e., a synonym that is not technically correct but is commonly used anyway + + misnomer + + + MAPT, the gene that encodes the Tau protein, has a previous name DDPAC. Note: in this case, the name type is more specifically the gene symbol. + A synonym type for names that have been used as primary labels in the past. + + previous name + + + The legal name for Harvard University (https://ror.org/03vek6s52) is President and Fellows of Harvard College + A synonym type for the legal entity name + + legal name + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + MF(X)-directly_regulates->MF(Y)-enabled_by->GP(Z) => MF(Y)-has_input->GP(Y) e.g. if 'protein kinase activity'(X) directly_regulates 'protein binding activity (Y)and this is enabled by GP(Z) then X has_input Z + infer input from direct reg + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + GP(X)-enables->MF(Y)-has_part->MF(Z) => GP(X) enables MF(Z), +e.g. if GP X enables ATPase coupled transporter activity' and 'ATPase coupled transporter activity' has_part 'ATPase activity' then GP(X) enables 'ATPase activity' + enabling an MF enables its parts + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + GP(X)-enables->MF(Y)-part_of->BP(Z) => GP(X) involved_in BP(Z) e.g. if X enables 'protein kinase activity' and Y 'part of' 'signal tranduction' then X involved in 'signal transduction' + involved in BP + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + If a molecular function (X) has a regulatory subfunction, then any gene product which is an input to that subfunction has an activity that directly_regulates X. Note: this is intended for cases where the regaultory subfunction is protein binding, so it could be tightened with an additional clause to specify this. + inferring direct reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct neg reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct positive reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + effector input is compound function input + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Input of effector is input of its parent MF + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly regulates X, its parent MF directly regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly positively regulates X, its parent MF directly positively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly negatively regulates X, its parent MF directly negatively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally downstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally upstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/tests/input/ro_unsat.owl b/tests/input/ro_unsat.owl new file mode 100644 index 0000000..8b71678 --- /dev/null +++ b/tests/input/ro_unsat.owl @@ -0,0 +1,16878 @@ + + + + + The OBO Relations Ontology (RO) is a collection of OWL relations (ObjectProperties) intended for use across a wide variety of biological ontologies. + + OBO Relations Ontology + 2023-08-18 + https://github.com/oborel/obo-relations/ + + + + + + + + + + + + + + + + + + + editor preferred term + + The concise, meaningful, and human-friendly name for a class or property preferred by the ontology developers. (US-English) + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + editor preferred term + + + + + + + + example of usage + + A phrase describing how a term should be used and/or a citation to a work which uses it. May also include other kinds of examples that facilitate immediate understanding, such as widely know prototypes or instances of a class, or cases where a relation is said to hold. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + example of usage + example of usage + + + + + + + + has curation status + PERSON:Alan Ruttenberg + PERSON:Bill Bug + PERSON:Melanie Courtot + has curation status + + + + + + + + definition + + The official definition, explaining the meaning of a class or property. Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions. + 2012-04-05: +Barry Smith + +The official OBI definition, explaining the meaning of a class or property: 'Shall be Aristotelian, formalized and normalized. Can be augmented with colloquial definitions' is terrible. + +Can you fix to something like: + +A statement of necessary and sufficient conditions explaining the meaning of an expression referring to a class or property. + +Alan Ruttenberg + +Your proposed definition is a reasonable candidate, except that it is very common that necessary and sufficient conditions are not given. Mostly they are necessary, occasionally they are necessary and sufficient or just sufficient. Often they use terms that are not themselves defined and so they effectively can't be evaluated by those criteria. + +On the specifics of the proposed definition: + +We don't have definitions of 'meaning' or 'expression' or 'property'. For 'reference' in the intended sense I think we use the term 'denotation'. For 'expression', I think we you mean symbol, or identifier. For 'meaning' it differs for class and property. For class we want documentation that let's the intended reader determine whether an entity is instance of the class, or not. For property we want documentation that let's the intended reader determine, given a pair of potential relata, whether the assertion that the relation holds is true. The 'intended reader' part suggests that we also specify who, we expect, would be able to understand the definition, and also generalizes over human and computer reader to include textual and logical definition. + +Personally, I am more comfortable weakening definition to documentation, with instructions as to what is desirable. + +We also have the outstanding issue of how to aim different definitions to different audiences. A clinical audience reading chebi wants a different sort of definition documentation/definition from a chemistry trained audience, and similarly there is a need for a definition that is adequate for an ontologist to work with. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition + definition + + + + + + + + editor note + + An administrative note intended for its editor. It may not be included in the publication version of the ontology, so it should contain nothing necessary for end users to understand the ontology. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obofoundry.org/obo/obi> + editor note + + + + + + + + term editor + + Name of editor entering the term in the file. The term editor is a point of contact for information regarding the term. The term editor may be, but is not always, the author of the definition, which may have been worked upon by several people + 20110707, MC: label update to term editor and definition modified accordingly. See https://github.com/information-artifact-ontology/IAO/issues/115. + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + term editor + + + + + + + + alternative label + + A label for a class or property that can be used to refer to the class or property instead of the preferred rdfs:label. Alternative labels should be used to indicate community- or context-specific labels, abbreviations, shorthand forms and the like. + OBO Operations committee + PERSON:Daniel Schober + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + Consider re-defing to: An alternative name for a class or property which can mean the same thing as the preferred name (semantically equivalent, narrow, broad or related). + alternative label + + + + + + + + definition source + + Formal citation, e.g. identifier in external database to indicate / attribute source(s) for the definition. Free text indicate / attribute source(s) for the definition. EXAMPLE: Author Name, URI, MeSH Term C04, PUBMED ID, Wiki uri on 31.01.2007 + PERSON:Daniel Schober + Discussion on obo-discuss mailing-list, see http://bit.ly/hgm99w + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + definition source + + + + + + + + curator note + + An administrative note of use for a curator but of no use for a user + PERSON:Alan Ruttenberg + curator note + + + + + + + + term tracker item + the URI for an OBI Terms ticket at sourceforge, such as https://sourceforge.net/p/obi/obi-terms/772/ + + An IRI or similar locator for a request or discussion of an ontology term. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'tracker item' can associate a tracker with a specific ontology term. + term tracker item + + + + + + + + imported from + + For external terms/classes, the ontology from which the term was imported + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + imported from + + + + + + + + expand expression to + ObjectProperty: RO_0002104 +Label: has plasma membrane part +Annotations: IAO_0000424 "http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.org/obo/owl/GO#GO_0005886 and http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an object property (or possibly a data property) which can be used by a macro-expansion engine to generate more complex expressions from simpler ones + Chris Mungall + expand expression to + + + + + + + + expand assertion to + ObjectProperty: RO??? +Label: spatially disjoint from +Annotations: expand_assertion_to "DisjointClasses: (http://purl.obolibrary.org/obo/BFO_0000051 some ?X) (http://purl.obolibrary.org/obo/BFO_0000051 some ?Y)" + + A macro expansion tag applied to an annotation property which can be expanded into a more detailed axiom. + Chris Mungall + expand assertion to + + + + + + + + first order logic expression + An assertion that holds between an OWL Object Property and a string or literal, where the value of the string or literal is a Common Logic sentence of collection of sentences that define the Object Property. + PERSON:Alan Ruttenberg + first order logic expression + + + + + + + + + OBO foundry unique label + + An alternative name for a class or property which is unique across the OBO Foundry. + The intended usage of that property is as follow: OBO foundry unique labels are automatically generated based on regular expressions provided by each ontology, so that SO could specify unique label = 'sequence ' + [label], etc. , MA could specify 'mouse + [label]' etc. Upon importing terms, ontology developers can choose to use the 'OBO foundry unique label' for an imported term or not. The same applies to tools . + PERSON:Alan Ruttenberg + PERSON:Bjoern Peters + PERSON:Chris Mungall + PERSON:Melanie Courtot + GROUP:OBO Foundry <http://obofoundry.org/> + OBO foundry unique label + + + + + + + + elucidation + person:Alan Ruttenberg + Person:Barry Smith + Primitive terms in a highest-level ontology such as BFO are terms which are so basic to our understanding of reality that there is no way of defining them in a non-circular fashion. For these, therefore, we can provide only elucidations, supplemented by examples and by axioms + elucidation + + + + + + + + has ontology root term + Ontology annotation property. Relates an ontology to a term that is a designated root term of the ontology. Display tools like OLS can use terms annotated with this property as the starting point for rendering the ontology class hierarchy. There can be more than one root. + Nicolas Matentzoglu + has ontology root term + + + + + + + + term replaced by + + Use on obsolete terms, relating the term to another term that can be used as a substitute + Person:Alan Ruttenberg + Person:Alan Ruttenberg + Add as annotation triples in the granting ontology + term replaced by + + + + + + + + 'part disjoint with' 'defined by construct' """ + PREFIX owl: <http://www.w3.org/2002/07/owl#> + PREFIX : <http://example.org/ + CONSTRUCT { + [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?a ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty :part_of ; + owl:someValuesFrom ?b + ] + ] + } + WHERE { + ?a :part_disjoint_with ?b . + } + Links an annotation property to a SPARQL CONSTRUCT query which is meant to provide semantics for a shortcut relation. + + + + defined by construct + + + + + + + + An assertion that holds between an OWL Object Property and a temporal interpretation that elucidates how OWL Class Axioms that use this property are to be interpreted in a temporal context. + temporal interpretation + + + + + + + + + + tooth SubClassOf 'never in taxon' value 'Aves' + x never in taxon T if and only if T is a class, and x does not instantiate the class expression "in taxon some T". Note that this is a shortcut relation, and should be used as a hasValue restriction in OWL. + + + + Class: ?X DisjointWith: RO_0002162 some ?Y + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX never_in_taxon: <http://purl.obolibrary.org/obo/RO_0002161> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?x owl:disjointWith [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . + ?x rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom [ + a owl:Class ; + owl:complementOf ?taxon + ] + ] . +} +WHERE { + ?x never_in_taxon: ?taxon . +} + never in taxon + + + + + + + + + + A is mutually_spatially_disjoint_with B if both A and B are classes, and there exists no p such that p is part_of some A and p is part_of some B. + non-overlapping with + shares no parts with + + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (BFO_0000050 some ?Y) + PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX part_of: <http://purl.obolibrary.org/obo/BFO_0000050> +PREFIX mutually_spatially_disjoint_with: <http://purl.obolibrary.org/obo/RO_0002171> +CONSTRUCT { + part_of: a owl:ObjectProperty . + [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?x ; + owl:disjointWith [ + a owl:Restriction ; + owl:onProperty part_of: ; + owl:someValuesFrom ?y + ] + ] +} +WHERE { + ?x mutually_spatially_disjoint_with: ?y . +} + mutually spatially disjoint with + + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + An assertion that holds between an ontology class and an organism taxon class, which is intepreted to yield some relationship between instances of the ontology class and the taxon. + taxonomic class assertion + + + + + + + + + + S ambiguous_for_taxon T if the class S does not have a clear referent in taxon T. An example would be the class 'manual digit 1', which encompasses a homology hypotheses that is accepted for some species (e.g. human and mouse), but does not have a clear referent in Aves - the referent is dependent on the hypothesis embraced, and also on the ontogenetic stage. [PHENOSCPAE:asilomar_mtg] + ambiguous for taxon + + + + + + + + + + S dubious_for_taxon T if it is probably the case that no instances of S can be found in any instance of T. + + + This relation lacks a strong logical interpretation, but can be used in place of never_in_taxon where it is desirable to state that the definition of the class is too strict for the taxon under consideration, but placing a never_in_taxon link would result in a chain of inconsistencies that will take ongoing coordinated effort to resolve. Example: metencephalon in teleost + dubious for taxon + + + + + + + + + + S present_in_taxon T if some instance of T has some S. This does not means that all instances of T have an S - it may only be certain life stages or sexes that have S + + + PREFIX rdfs: <http://www.w3.org/2000/01/rdf-schema#> +PREFIX owl: <http://www.w3.org/2002/07/owl#> +PREFIX in_taxon: <http://purl.obolibrary.org/obo/RO_0002162> +PREFIX present_in_taxon: <http://purl.obolibrary.org/obo/RO_0002175> +CONSTRUCT { + in_taxon: a owl:ObjectProperty . + ?witness rdfs:label ?label . + ?witness rdfs:subClassOf ?x . + ?witness rdfs:subClassOf [ + a owl:Restriction ; + owl:onProperty in_taxon: ; + owl:someValuesFrom ?taxon + ] . +} +WHERE { + ?x present_in_taxon: ?taxon . + BIND(IRI(CONCAT( + "http://purl.obolibrary.org/obo/RO_0002175#", + MD5(STR(?x)), + "-", + MD5(STR(?taxon)) + )) as ?witness) + BIND(CONCAT(STR(?x), " in taxon ", STR(?taxon)) AS ?label) +} + The SPARQL expansion for this relation introduces new named classes into the ontology. For this reason it is likely that the expansion should only be performed during a QC pipeline; the expanded output should usually not be included in a published version of the ontology. + present in taxon + + + + + + + + + + defined by inverse + + + + + + + + + An assertion that involves at least one OWL object that is intended to be expanded into one or more logical axioms. The logical expansion can yield axioms expressed using any formal logical system, including, but not limited to OWL2-DL. + logical macro assertion + http://purl.obolibrary.org/obo/ro/docs/shortcut-relations/ + + + + + + + + An assertion that holds between an OWL Annotation Property P and a non-negative integer N, with the interpretation: for any P(i j) it must be the case that | { k : P(i k) } | = N. + annotation property cardinality + + + + + + + + + + A logical macro assertion whose domain is an IRI for a class + The domain for this class can be considered to be owl:Class, but we cannot assert this in OWL2-DL + logical macro assertion on a class + + + + + + + + + A logical macro assertion whose domain is an IRI for a property + logical macro assertion on a property + + + + + + + + + Used to annotate object properties to describe a logical meta-property or characteristic of the object property. + logical macro assertion on an object property + + + + + + + + + logical macro assertion on an annotation property + + + + + + + + + An assertion that holds between an OWL Object Property and a dispositional interpretation that elucidates how OWL Class Axioms or OWL Individuals that use this property are to be interpreted in a dispositional context. For example, A binds B may be interpreted as A have a mutual disposition that is realized by binding to the other one. + dispositional interpretation + + + + + + + + + 'pectoral appendage skeleton' has no connections with 'pelvic appendage skeleton' + A is has_no_connections_with B if there are no parts of A or B that have a connection with the other. + shares no connection with + Class: <http://www.w3.org/2002/07/owl#Nothing> EquivalentTo: (BFO_0000050 some ?X) and (RO_0002170 some (BFO_0000050 some ?Y)) + has no connections with + + + + + + + + + inherited annotation property + + + + + + + + Connects an ontology entity (class, property, etc) to a URL from which curator guidance can be obtained. This assertion is inherited in the same manner as functional annotations (e.g. for GO, over SubClassOf and part_of) + curator guidance link + + + + + + + + + brain always_present_in_taxon 'Vertebrata' + forelimb always_present_in_taxon Euarchontoglires + S always_present_in_taxon T if every fully formed member of taxon T has part some S, or is an instance of S + This is a very strong relation. Often we will not have enough evidence to know for sure that there are no species within a lineage that lack the structure - loss is common in evolution. However, there are some statements we can make with confidence - no vertebrate lineage could persist without a brain or a heart. All primates are limbed. + never lost in + always present in taxon + + + + + + + + + This properties were created originally for the annotation of developmental or life cycle stages, such as for example Carnegie Stage 20 in humans. + temporal logical macro assertion on a class + + + + + + + + + measurement property has unit + + + + + + + + + has start time value + + + + + + + + + + has end time value + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 0 for this property. + start, days post fertilization + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of fertilization according to a reference model. Note that the first day of development has the value of 1 for this property. + end, days post fertilization + + + + + + + + + + Count of number of years intervening between the start of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 0 for this property, and the period during which the child is one year old has the value 1. + start, years post birth + + + + + + + + + + Count of number of years intervening between the end of the stage and the time of birth according to a reference model. Note that the first year of post-birth development has the value of 1 for this property, and the period during which the child is one year old has the value 2 + end, years post birth + + + + + + + + + + Count of number of months intervening between the start of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 0 for this property, and the period during which the child is one month old has the value 1. + start, months post birth + + + + + + + + + + Count of number of months intervening between the end of the stage and the time of birth according to a reference model. Note that the first month of post-birth development has the value of 1 for this property, and the period during which the child is one month old has the value 2 + end, months post birth + + + + + + + + + + Defines the start and end of a stage with a duration of 1 month, relative to either the time of fertilization or last menstrual period of the mother (to be clarified), counting from one, in terms of a reference model. Thus if month_of_gestation=3, then the stage is 2 month in. + month of gestation + + + + + + + + + + A relationship between a stage class and an anatomical structure or developmental process class, in which the stage is characterized by the appearance of the structure or the occurrence of the biological process + has developmental stage marker + + + + + + + + + + Count of number of days intervening between the start of the stage and the time of coitum. + For mouse staging: assuming that it takes place around midnight during a 7pm to 5am dark cycle (noon of the day on which the vaginal plug is found, the embryos are aged 0.5 days post coitum) + start, days post coitum + + + + + + + + + + Count of number of days intervening between the end of the stage and the time of coitum. + end, days post coitum + + + + + + + + + + start, weeks post birth + + + + + + + + + + end, weeks post birth + + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x subject-partner-in p, y object-partner-in p + is asymmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + If Rel is the relational form of a process Pr, then it follow that: Rel(x,y) <-> exists p : Pr(p), x partner-in p, y partner-in p + is symmetric relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + R is the relational form of a process if and only if either (1) R is the symmetric relational form of a process or (2) R is the asymmetric relational form of a process + is relational form of process class + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + relation p is the direct form of relation q iff p is a subPropertyOf q, p does not have the Transitive characteristic, q does have the Transitive characteristic, and for all x, y: x q y -> exists z1, z2, ..., zn such that x p z1 ... z2n y + The general property hierarchy is: + + "directly P" SubPropertyOf "P" + Transitive(P) + +Where we have an annotation assertion + + "directly P" "is direct form of" "P" + If we have the annotation P is-direct-form-of Q, and we have inverses P' and Q', then it follows that P' is-direct-form-of Q' + + is direct form of + + + + + + + + + + relation p is the indirect form of relation q iff p is a subPropertyOf q, and there exists some p' such that p' is the direct form of q, p' o p' -> p, and forall x,y : x q y -> either (1) x p y or (2) x p' y + + is indirect form of + + + + + + + + + + logical macro assertion on an axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then it also holds that R -> P o Q. Note that this cannot be expressed directly in OWL + is a defining property chain axiom + + + + + + + + + If R <- P o Q is a defining property chain axiom, then (1) R -> P o Q holds and (2) Q is either reflexive or locally reflexive. A corollary of this is that P SubPropertyOf R. + is a defining property chain axiom where second argument is reflexive + + + + + + + + + An annotation property that connects an object property to a class, where the object property is derived from or a shortcut property for the class. The exact semantics of this annotation may vary on a case by case basis. + is relational form of a class + + + + + + + + + A shortcut relationship that holds between two entities based on their identity criteria + logical macro assertion involving identity + + + + + + + + + A shortcut relationship between two entities x and y1, such that the intent is that the relationship is functional and inverse function, but there is no guarantee that this property holds. + in approximate one to one relationship with + + + + + + + + + x is approximately equivalent to y if it is the case that x is equivalent, identical or near-equivalent to y + The precise meaning of this property is dependent upon some contexts. It is intended to group multiple possible formalisms. Possibilities include a probabilistic interpretation, for example, Pr(x=y) > 0.95. Other possibilities include reified statements of belief, for example, "Database D states that x=y" + is approximately equivalent to + + + + + + + + + 'anterior end of organism' is-opposite-of 'posterior end of organism' + 'increase in temperature' is-opposite-of 'decrease in temperature' + x is the opposite of y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is opposite of + + + + + + + + + x is indistinguishable from y if there exists some distance metric M, and there exists no z such as M(x,z) <= M(x,y) or M(y,z) <= M(y,x). + is indistinguishable from + + + + + + + + + evidential logical macro assertion on an axiom + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence supports the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom has evidence + + + + + + + + + A relationship between a sentence and an instance of a piece of evidence in which the evidence contradicts the axiom + This annotation property is intended to be used in an OWL Axiom Annotation to connect an OWL Axiom to an instance of an ECO (evidence type ontology class). Because in OWL, all axiom annotations must use an Annotation Property, the value of the annotation cannot be an OWL individual, the convention is to use an IRI of the individual. + axiom contradicted by evidence + + + + + + + + + In the context of a particular project, the IRI with CURIE NCBIGene:64327 (which in this example denotes a class) is considered to be representative. This means that if we have equivalent classes with IRIs OMIM:605522, ENSEMBL:ENSG00000105983, HGNC:13243 forming an equivalence set, the NCBIGene is considered the representative member IRI. Depending on the policies of the project, the classes may be merged, or the NCBIGene IRI may be chosen as the default in a user interface context. + this property relates an IRI to the xsd boolean value "True" if the IRI is intended to be the representative IRI for a collection of classes that are mutually equivalent. + If it is necessary to make the context explicit, an axiom annotation can be added to the annotation assertion + is representative IRI for equivalence set + OWLAPI Reasoner documentation for representativeElement, which follows a similar idea, but selects an arbitrary member + + + + + + + + + true if the two properties are disjoint, according to OWL semantics. This should only be used if using a logical axiom introduces a non-simple property violation. + + nominally disjoint with + + + + + + + + + Used to annotate object properties representing a causal relationship where the value indicates a direction. Should be "+", "-" or "0" + + 2018-03-13T23:59:29Z + is directional form of + + + + + + + + + + 2018-03-14T00:03:16Z + is positive form of + + + + + + + + + + 2018-03-14T00:03:24Z + is negative form of + + + + + + + + + part-of is homeomorphic for independent continuants. + R is homemorphic for C iff (1) there exists some x,y such that x R y, and x and y instantiate C and (2) for all x, if x is an instance of C, and there exists some y some such that x R y, then it follows that y is an instance of C. + + 2018-10-21T19:46:34Z + R homeomorphic-for C expands to: C SubClassOf R only C. Additionally, for any class D that is disjoint with C, we can also expand to C DisjointWith R some D, D DisjointWith R some C. + is homeomorphic for + + + + + + + + + + + 2020-09-22T11:05:29Z + valid_for_go_annotation_extension + + + + + + + + + + + 2020-09-22T11:05:18Z + valid_for_go_gp2term + + + + + + + + + + + 2020-09-22T11:04:12Z + valid_for_go_ontology + + + + + + + + + + + 2020-09-22T11:05:45Z + valid_for_gocam + + + + + + + + + + eco subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + subset_property + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An alternative label for a class or property which has a more general meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + has broad synonym + has_broad_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/18 + + + + + + + + + database_cross_reference + + + + + + + + An alternative label for a class or property which has the exact same meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + has exact synonym + has_exact_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/20 + + + + + + + + + An alternative label for a class or property which has a more specific meaning than the preferred name/primary label. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + has narrow synonym + has_narrow_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/19 + + + + + + + + + has_obo_format_version + + + + + + + + An alternative label for a class or property that has been used synonymously with the primary term name, but the usage is not strictly correct. + + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + has related synonym + has_related_synonym + https://github.com/information-artifact-ontology/ontology-metadata/issues/21 + + + + + + + + + + + + + + + in_subset + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is defined by + + + + + is defined by + This is an experimental annotation + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + is part of + my brain is part of my body (continuant parthood, two material entities) + my stomach cavity is part of my stomach (continuant parthood, immaterial entity is part of material entity) + this day is part of this year (occurrent parthood) + a core relation that holds between a part and its whole + Everything is part of itself. Any part of any part of a thing is itself part of that thing. Two distinct things cannot be part of each other. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent can be part of an occurrent; only a process can be part of a process; only a continuant can be part of a continuant; only an independent continuant can be part of an independent continuant; only an immaterial entity can be part of an immaterial entity; only a specifically dependent continuant can be part of a specifically dependent continuant; only a generically dependent continuant can be part of a generically dependent continuant. (This list is not exhaustive.) + +A continuant cannot be part of an occurrent: use 'participates in'. An occurrent cannot be part of a continuant: use 'has participant'. A material entity cannot be part of an immaterial entity: use 'has location'. A specifically dependent continuant cannot be part of an independent continuant: use 'inheres in'. An independent continuant cannot be part of a specifically dependent continuant: use 'bearer of'. + part_of + + + + + + + + + + + + + part of + + + http://www.obofoundry.org/ro/#OBO_REL:part_of + https://wiki.geneontology.org/Part_of + + + + + + + + + + has part + my body has part my brain (continuant parthood, two material entities) + my stomach has part my stomach cavity (continuant parthood, material entity has part immaterial entity) + this year has part this day (occurrent parthood) + a core relation that holds between a whole and its part + Everything has itself as a part. Any part of any part of a thing is itself part of that thing. Two distinct things cannot have each other as a part. + Occurrents are not subject to change and so parthood between occurrents holds for all the times that the part exists. Many continuants are subject to change, so parthood between continuants will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + Parthood requires the part and the whole to have compatible classes: only an occurrent have an occurrent as part; only a process can have a process as part; only a continuant can have a continuant as part; only an independent continuant can have an independent continuant as part; only a specifically dependent continuant can have a specifically dependent continuant as part; only a generically dependent continuant can have a generically dependent continuant as part. (This list is not exhaustive.) + +A continuant cannot have an occurrent as part: use 'participates in'. An occurrent cannot have a continuant as part: use 'has participant'. An immaterial entity cannot have a material entity as part: use 'location of'. An independent continuant cannot have a specifically dependent continuant as part: use 'bearer of'. A specifically dependent continuant cannot have an independent continuant as part: use 'inheres in'. + has_part + + + + + has part + + + + + + + + + + + realized in + this disease is realized in this disease course + this fragility is realized in this shattering + this investigator role is realized in this investigation + is realized by + realized_in + [copied from inverse property 'realizes'] to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a realizable entity and a process, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realized in + + + + + + + + + + realizes + this disease course realizes this disease + this investigation realizes this investigator role + this shattering realizes this fragility + to say that b realizes c at t is to assert that there is some material entity d & b is a process which has participant d at t & c is a disposition or role of which d is bearer_of at t& the type instantiated by b is correlated with the type instantiated by c. (axiom label in BFO2 Reference: [059-003]) + Paraphrase of elucidation: a relation between a process and a realizable entity, where there is some material entity that is bearer of the realizable entity and participates in the process, and the realizable entity comes to be realized in the course of the process + + realizes + + + + + + + + + accidentally included in BFO 1.2 proposal + - should have been BFO_0000062 + obsolete preceded by + true + + + + + + + + + + + + + + + + + + + + + + + + + preceded by + x is preceded by y if and only if the time point at which y ends is before or equivalent to the time point at which x starts. Formally: x preceded by y iff ω(y) <= α(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + An example is: translation preceded_by transcription; aging preceded_by development (not however death preceded_by aging). Where derives_from links classes of continuants, preceded_by links classes of processes. Clearly, however, these two relations are not independent of each other. Thus if cells of type C1 derive_from cells of type C, then any cell division involving an instance of C1 in a given lineage is preceded_by cellular processes involving an instance of C. The assertion P preceded_by P1 tells us something about Ps in general: that is, it tells us something about what happened earlier, given what we know about what happened later. Thus it does not provide information pointing in the opposite direction, concerning instances of P1 in general; that is, that each is such as to be succeeded by some instance of P. Note that an assertion to the effect that P preceded_by P1 is rather weak; it tells us little about the relations between the underlying instances in virtue of which the preceded_by relation obtains. Typically we will be interested in stronger relations, for example in the relation immediately_preceded_by, or in relations which combine preceded_by with a condition to the effect that the corresponding instances of P and P1 share participants, or that their participants are connected by relations of derivation, or (as a first step along the road to a treatment of causality) that the one process in some way affects (for example, initiates or regulates) the other. + is preceded by + preceded_by + http://www.obofoundry.org/ro/#OBO_REL:preceded_by + + preceded by + + + + + + + + + + + + + + + + + + + + precedes + x precedes y if and only if the time point at which x ends is before or equivalent to the time point at which y starts. Formally: x precedes y iff ω(x) <= α(y), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + precedes + + + + + + + + + + + + + + + + + + + occurs in + b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + occurs_in + unfolds in + unfolds_in + + + + Paraphrase of definition: a relation between a process and an independent continuant, in which the process takes place entirely within the independent continuant + + occurs in + https://wiki.geneontology.org/Occurs_in + + + + + + + + site of + [copied from inverse property 'occurs in'] b occurs_in c =def b is a process and c is a material entity or immaterial entity& there exists a spatiotemporal region r and b occupies_spatiotemporal_region r.& forall(t) if b exists_at t then c exists_at t & there exist spatial regions s and s’ where & b spatially_projects_onto s at t& c is occupies_spatial_region s’ at t& s is a proper_continuant_part_of s’ at t + Paraphrase of definition: a relation between an independent continuant and a process, in which the process takes place entirely within the independent continuant + + contains process + + + + + + + + A relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist through the separation or transformation of a part of the old entity, and the new entity inherits a significant portion of the matter belonging to that part of the old entity. + derives from part of + + + + + + + + + + + inheres in + this fragility is a characteristic of this vase + this red color is a characteristic of this apple + a relation between a specifically dependent continuant (the characteristic) and any other entity (the bearer), in which the characteristic depends on the bearer for its existence. + inheres_in + + Note that this relation was previously called "inheres in", but was changed to be called "characteristic of" because BFO2 uses "inheres in" in a more restricted fashion. This relation differs from BFO2:inheres_in in two respects: (1) it does not impose a range constraint, and thus it allows qualities of processes, as well as of information entities, whereas BFO2 restricts inheres_in to only apply to independent continuants (2) it is declared functional, i.e. something can only be a characteristic of one thing. + characteristic of + + + + + + + + + + bearer of + this apple is bearer of this red color + this vase is bearer of this fragility + Inverse of characteristic_of + A bearer can have many dependents, and its dependents can exist for different periods of time, but none of its dependents can exist when the bearer does not exist. + bearer_of + is bearer of + + has characteristic + + + + + + + + + + + participates in + this blood clot participates in this blood coagulation + this input material (or this output material) participates in this process + this investigator participates in this investigation + a relation between a continuant and a process, in which the continuant is somehow involved in the process + participates_in + participates in + + + + + + + + + + + + + + + + + + + has participant + this blood coagulation has participant this blood clot + this investigation has participant this investigator + this process has participant this input material (or this output material) + a relation between a process and a continuant, in which the continuant is somehow involved in the process + Has_participant is a primitive instance-level relation between a process, a continuant, and a time at which the continuant participates in some way in the process. The relation obtains, for example, when this particular process of oxygen exchange across this particular alveolar membrane has_participant this particular sample of hemoglobin at this particular time. + has_participant + http://www.obofoundry.org/ro/#OBO_REL:has_participant + has participant + + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The journal article (a generically dependent continuant) is concretized as the quality (a specifically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a generically dependent continuant and a specifically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. A generically dependent continuant may be concretized as multiple specifically dependent continuants. + is concretized as + + + + + + + + + + A journal article is an information artifact that inheres in some number of printed journals. For each copy of the printed journal there is some quality that carries the journal article, such as a pattern of ink. The quality (a specifically dependent continuant) concretizes the journal article (a generically dependent continuant), and both depend on that copy of the printed journal (an independent continuant). + An investigator reads a protocol and forms a plan to carry out an assay. The plan is a realizable entity (a specifically dependent continuant) that concretizes the protocol (a generically dependent continuant), and both depend on the investigator (an independent continuant). The plan is then realized by the assay (a process). + A relationship between a specifically dependent continuant and a generically dependent continuant, in which the generically dependent continuant depends on some independent continuant in virtue of the fact that the specifically dependent continuant also depends on that same independent continuant. Multiple specifically dependent continuants can concretize the same generically dependent continuant. + concretizes + + + + + + + + + + + this catalysis function is a function of this enzyme + a relation between a function and an independent continuant (the bearer), in which the function specifically depends on the bearer for its existence + A function inheres in its bearer at all times for which the function exists, however the function need not be realized at all the times that the function exists. + function_of + is function of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + function of + + + + + + + + + + this red color is a quality of this apple + a relation between a quality and an independent continuant (the bearer), in which the quality specifically depends on the bearer for its existence + A quality inheres in its bearer at all times for which the quality exists. + is quality of + quality_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + quality of + + + + + + + + + + this investigator role is a role of this person + a relation between a role and an independent continuant (the bearer), in which the role specifically depends on the bearer for its existence + A role inheres in its bearer at all times for which the role exists, however the role need not be realized at all the times that the role exists. + is role of + role_of + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + role of + + + + + + + + + + + this enzyme has function this catalysis function (more colloquially: this enzyme has this catalysis function) + a relation between an independent continuant (the bearer) and a function, in which the function specifically depends on the bearer for its existence + A bearer can have many functions, and its functions can exist for different periods of time, but none of its functions can exist when the bearer does not exist. A function need not be realized at all the times that the function exists. + has_function + has function + + + + + + + + + + this apple has quality this red color + a relation between an independent continuant (the bearer) and a quality, in which the quality specifically depends on the bearer for its existence + A bearer can have many qualities, and its qualities can exist for different periods of time, but none of its qualities can exist when the bearer does not exist. + has_quality + has quality + + + + + + + + + + + this person has role this investigator role (more colloquially: this person has this role of investigator) + a relation between an independent continuant (the bearer) and a role, in which the role specifically depends on the bearer for its existence + A bearer can have many roles, and its roles can exist for different periods of time, but none of its roles can exist when the bearer does not exist. A role need not be realized at all the times that the role exists. + has_role + has role + + + + + + + + + + + + a relation between an independent continuant (the bearer) and a disposition, in which the disposition specifically depends on the bearer for its existence + has disposition + + + + + + + + + inverse of has disposition + + This relation is modeled after the BFO relation of the same name which was in BFO2, but is used in a more restricted sense - specifically, we model this relation as functional (inherited from characteristic-of). Note that this relation is now removed from BFO2020. + disposition of + + + + + + + + + OBSOLETE A relation that holds between two neurons connected directly via a synapse, or indirectly via a series of synaptically connected neurons. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_to another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_to the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete upstream in neural circuit with + true + + + + + + + + + OBSOLETE A relation that holds between a neuron that is synapsed_by another neuron or a neuron that is connected indirectly to another by a chain of neurons, each synapsed_by the next, in which the direction is from the last to the first. + + + + Obsoleted as no longer a useful relationship (all neurons in an organism are in a neural circuit with each other). + obsolete downstream in neural circuit with + true + + + + + + + + + this cell derives from this parent cell (cell division) + this nucleus derives from this parent nucleus (nuclear division) + + a relation between two distinct material entities, the new entity and the old entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops from'. + derives_from + This relation is taken from the RO2005 version of RO. It may be obsoleted and replaced by relations with different definitions. See also the 'develops from' family of relations. + + derives from + + + + + + + + this parent cell derives into this cell (cell division) + this parent nucleus derives into this nucleus (nuclear division) + + a relation between two distinct material entities, the old entity and the new entity, in which the new entity begins to exist when the old entity ceases to exist, and the new entity inherits the significant portion of the matter of the old entity + This is a very general relation. More specific relations are preferred when applicable, such as 'directly develops into'. To avoid making statements about a future that may not come to pass, it is often better to use the backward-looking 'derives from' rather than the forward-looking 'derives into'. + derives_into + + derives into + + + + + + + + + + is location of + my head is the location of my brain + this cage is the location of this rat + a relation between two independent continuants, the location and the target, in which the target is entirely within the location + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + location_of + + location of + + + + + + + + contained in + Containment is location not involving parthood, and arises only where some immaterial continuant is involved. + Containment obtains in each case between material and immaterial continuants, for instance: lung contained_in thoracic cavity; bladder contained_in pelvic cavity. Hence containment is not a transitive relation. If c part_of c1 at t then we have also, by our definition and by the axioms of mereology applied to spatial regions, c located_in c1 at t. Thus, many examples of instance-level location relations for continuants are in fact cases of instance-level parthood. For material continuants location and parthood coincide. Containment is location not involving parthood, and arises only where some immaterial continuant is involved. To understand this relation, we first define overlap for continuants as follows: c1 overlap c2 at t =def for some c, c part_of c1 at t and c part_of c2 at t. The containment relation on the instance level can then be defined (see definition): + contained_in + obsolete contained in + + true + + + + + + + + contains + obsolete contains + + true + + + + + + + + + + + penicillin (CHEBI:17334) is allergic trigger for penicillin allergy (DOID:0060520) + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is allergic trigger for + + + + + + + + + + + A relation between a material entity and a condition (a phenotype or disease) of a host, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + is autoimmune trigger for + + + + + + + + + + penicillin allergy (DOID:0060520) has allergic trigger penicillin (CHEBI:17334) + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is not part of the host, and is considered harmless to non-allergic hosts, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has allergic trigger + + + + + + + + + + A relation between a condition (a phenotype or disease) of a host and a material entity, in which the material entity is part of the host itself, and the condition results in pathological processes that include an abnormally strong immune response against the material entity. + has autoimmune trigger + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + located in + my brain is located in my head + this rat is located in this cage + a relation between two independent continuants, the target and the location, in which the target is entirely within the location + Location as a relation between instances: The primitive instance-level relation c located_in r at t reflects the fact that each continuant is at any given time associated with exactly one spatial region, namely its exact location. Following we can use this relation to define a further instance-level location relation - not between a continuant and the region which it exactly occupies, but rather between one continuant and another. c is located in c1, in this sense, whenever the spatial region occupied by c is part_of the spatial region occupied by c1. Note that this relation comprehends both the relation of exact location between one continuant and another which obtains when r and r1 are identical (for example, when a portion of fluid exactly fills a cavity), as well as those sorts of inexact location relations which obtain, for example, between brain and head or between ovum and uterus + Most location relations will only hold at certain times, but this is difficult to specify in OWL. See http://purl.obolibrary.org/obo/ro/docs/temporal-semantics/ + located_in + + http://www.obofoundry.org/ro/#OBO_REL:located_in + + located in + https://wiki.geneontology.org/Located_in + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + This is redundant with the more specific 'independent and not spatial region' constraint. We leave in the redundant axiom for use with reasoners that do not use negation. + + + + + + + + + + the surface of my skin is a 2D boundary of my body + a relation between a 2D immaterial entity (the boundary) and a material entity, in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + 2D_boundary_of + boundary of + is 2D boundary of + is boundary of + surface of + + 2D boundary of + + + + + + + + + + May be obsoleted, see https://github.com/oborel/obo-relations/issues/260 + + + aligned with + + + + + + + + + + + my body has 2D boundary the surface of my skin + a relation between a material entity and a 2D immaterial entity (the boundary), in which the boundary delimits the material entity + A 2D boundary may have holes and gaps, but it must be a single connected entity, not an aggregate of several disconnected parts. + Although the boundary is two-dimensional, it exists in three-dimensional space and thus has a 3D shape. + + has boundary + has_2D_boundary + + has 2D boundary + + + + + + + + + A relation that holds between two neurons that are electrically coupled via gap junctions. + + + electrically_synapsed_to + + + + + + + + + + + The relationship that holds between a trachea or tracheole and an antomical structure that is contained in (and so provides an oxygen supply to). + + tracheates + + + + + + + + + + + + http://www.ncbi.nlm.nih.gov/pubmed/22402613 + innervated_by + + + + + + + + + + + + has synaptic terminal of + + + + + + + + + + + + + + + + + + + + + X outer_layer_of Y iff: +. X :continuant that bearer_of some PATO:laminar +. X part_of Y +. exists Z :surface +. X has_boundary Z +. Z boundary_of Y + +has_boundary: http://purl.obolibrary.org/obo/RO_0002002 +boundary_of: http://purl.obolibrary.org/obo/RO_0002000 + + + A relationship that applies between a continuant and its outer, bounding layer. Examples include the relationship between a multicellular organism and its integument, between an animal cell and its plasma membrane, and between a membrane bound organelle and its outer/bounding membrane. + bounding layer of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A relation that holds between two linear structures that are approximately parallel to each other for their entire length and where either the two structures are adjacent to each other or one is part of the other. + Note from NCEAS meeting: consider changing primary label + + + Example: if we define region of chromosome as any subdivision of a chromosome along its long axis, then we can define a region of chromosome that contains only gene x as 'chromosome region' that coincident_with some 'gene x', where the term gene X corresponds to a genomic sequence. + coincident with + + + + + + + + + + A relation that applies between a cell(c) and a gene(g) , where the process of 'transcription, DNA templated (GO_0006351)' is occuring in in cell c and that process has input gene g. + + x 'cell expresses' y iff: +cell(x) +AND gene(y) +AND exists some 'transcription, DNA templated (GO_0006351)'(t) +AND t occurs_in x +AND t has_input y + cell expresses + + + + + + + + + + + x 'regulates in other organism' y if and only if: (x is the realization of a function to exert an effect on the frequency, rate or extent of y) AND (the agents of x are produced by organism o1 and the agents of y are produced by organism o2). + + regulates in other organism + + + + + + + + + + + + A relationship that holds between a process that regulates a transport process and the entity transported by that process. + + + regulates transport of + + + + + + + + + + + + A part of relation that applies only between occurrents. + occurrent part of + + + + + + + + + + A 'has regulatory component activity' B if A and B are GO molecular functions (GO_0003674), A has_component B and A is regulated by B. + + 2017-05-24T09:30:46Z + has regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that negatively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is negatively regulated by B. + + 2017-05-24T09:31:01Z + By convention GO molecular functions are classified by their effector function. Internal regulatory functions are treated as components. For example, NMDA glutmate receptor activity is a cation channel activity with positive regulatory component 'glutamate binding' and negative regulatory components including 'zinc binding' and 'magnesium binding'. + has negative regulatory component activity + + + + + + + + + + A relationship that holds between a GO molecular function and a component of that molecular function that positively regulates the activity of the whole. More formally, A 'has regulatory component activity' B iff :A and B are GO molecular functions (GO_0003674), A has_component B and A is positively regulated by B. + + 2017-05-24T09:31:17Z + By convention GO molecular functions are classified by their effector function and internal regulatory functions are treated as components. So, for example calmodulin has a protein binding activity that has positive regulatory component activity calcium binding activity. Receptor tyrosine kinase activity is a tyrosine kinase activity that has positive regulatory component 'ligand binding'. + has positive regulatory component activity + + + + + + + + + + + 2017-05-24T09:36:08Z + A has necessary component activity B if A and B are GO molecular functions (GO_0003674), A has_component B and B is necessary for A. For example, ATPase coupled transporter activity has necessary component ATPase activity; transcript factor activity has necessary component DNA binding activity. + has necessary component activity + + + + + + + + + + 2017-05-24T09:44:33Z + A 'has component activity' B if A is A and B are molecular functions (GO_0003674) and A has_component B. + has component activity + + + + + + + + + + + w 'has process component' p if p and w are processes, w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + + 2017-05-24T09:49:21Z + has component process + + + + + + + + + A relationship that holds between between a receptor and an chemical entity, typically a small molecule or peptide, that carries information between cells or compartments of a cell and which binds the receptor and regulates its effector function. + + 2017-07-19T17:30:36Z + has ligand + + + + + + + + + Holds between p and c when p is a transport process or transporter activity and the outcome of this p is to move c from one location to another. + + 2017-07-20T17:11:08Z + transports + + + + + + + + + A relationship between a process and a barrier, where the process occurs in a region spanning the barrier. For cellular processes the barrier is typically a membrane. Examples include transport across a membrane and membrane depolarization. + + 2017-07-20T17:19:37Z + occurs across + + + + + + + + + + + 2017-09-17T13:52:24Z + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + directly regulated by + + + + + Process(P2) is directly regulated by process(P1) iff: P1 regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding regulates the kinase activity (P2) of protein B then P1 directly regulates P2. + + + + + + + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + 2017-09-17T13:52:38Z + directly negatively regulated by + + + + + Process(P2) is directly negatively regulated by process(P1) iff: P1 negatively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding negatively regulates the kinase activity (P2) of protein B then P2 directly negatively regulated by P1. + + + + + + + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + 2017-09-17T13:52:47Z + directly positively regulated by + + + + + Process(P2) is directly postively regulated by process(P1) iff: P1 positively regulates P2 via direct physical interaction between an agent executing P1 (or some part of P1) and an agent executing P2 (or some part of P2). For example, if protein A has protein binding activity(P1) that targets protein B and this binding positively regulates the kinase activity (P2) of protein B then P2 is directly postively regulated by P1. + + + + + + + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + 2017-09-22T14:14:36Z + This relation is designed for constructing compound molecular functions, typically in combination with one or more regulatory component activity relations. + has effector activity + + + + + A 'has effector activity' B if A and B are GO molecular functions (GO_0003674), A 'has component activity' B and B is the effector (output function) of B. Each compound function has only one effector activity. + + + + + + + + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + 2017-12-07T12:58:06Z + in register with + + + + + A relationship that holds between two images, A and B, where: +A depicts X; +B depicts Y; +X and Y are both of type T' +C is a 2 layer image consiting of layers A and B; +A and B are aligned in C according to a shared co-ordinate framework so that common features of X and Y are co-incident with each other. +Note: A and B may be 2D or 3D. +Examples include: the relationship between two channels collected simultaneously from a confocal microscope; the relationship between an image dpeicting X and a painted annotation layer that delineates regions of X; the relationship between the tracing of a neuron on an EM stack and the co-ordinate space of the stack; the relationship between two separately collected images that have been brought into register via some image registration software. + + + + + + + + + + David Osumi-Sutherland + <= + + Primitive instance level timing relation between events + before or simultaneous with + + + + + + + + + + + x simultaneous with y iff ω(x) = ω(y) and ω(α ) = ω(α), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point and '=' indicates the same instance in time. + + David Osumi-Sutherland + + t1 simultaneous_with t2 iff:= t1 before_or_simultaneous_with t2 and not (t1 before t2) + simultaneous with + + + + + + + + + + David Osumi-Sutherland + + t1 before t2 iff:= t1 before_or_simulataneous_with t2 and not (t1 simultaeous_with t2) + before + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002122 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which ends + + + + + + + + + + + + di + Previously had ID http://purl.obolibrary.org/obo/RO_0002124 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + encompasses + + + + + + + + + + + + + + David Osumi-Sutherland + + X ends_after Y iff: end(Y) before_or_simultaneous_with end(X) + ends after + + + + + + + + + + + + + + David Osumi-Sutherland + starts_at_end_of + X immediately_preceded_by Y iff: end(X) simultaneous_with start(Y) + immediately preceded by + + + + + + + + + + David Osumi-Sutherland + + Previously had ID http://purl.obolibrary.org/obo/RO_0002123 in test files in sandpit - but this seems to have been dropped from ro-edit.owl at some point. No re-use under this ID AFAIK, but leaving note here in case we run in to clashes down the line. Official ID now chosen from DOS ID range. + during which starts + + + + + + + + + + + + + + David Osumi-Sutherland + + starts before + + + + + + + + + + + + + + David Osumi-Sutherland + ends_at_start_of + meets + + + X immediately_precedes_Y iff: end(X) simultaneous_with start(Y) + immediately precedes + + + + + + + + + + + David Osumi-Sutherland + io + + X starts_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (start(X) before_or_simultaneous_with end(Y)) + starts during + + + + + + + + + + + David Osumi-Sutherland + d + during + + + + + X happens_during Y iff: (start(Y) before_or_simultaneous_with start(X)) AND (end(X) before_or_simultaneous_with end(Y)) + happens during + https://wiki.geneontology.org/Happens_during + + + + + + + + + David Osumi-Sutherland + o + overlaps + + X ends_during Y iff: ((start(Y) before_or_simultaneous_with end(X)) AND end(X) before_or_simultaneous_with end(Y). + ends during + + + + + + + + + + + + + + + + Relation between a neuron and a material anatomical entity that its soma is part of. + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0043025> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y) + + has soma location + + + + + + + + + + + + + relationship between a neuron and a neuron projection bundle (e.g.- tract or nerve bundle) that one or more of its projections travels through. + + + fasciculates with + (forall (?x ?y) + (iff + (fasciculates_with ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron ; CL_0000540" ?x) + ("neuron projection bundle ; CARO_0001001" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500' " ?npbs) + (part_of ?npbs ?y) + (part_of ?nps ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + fasciculates with + + + + + + + + + + + + + + + Relation between a neuron and some structure its axon forms (chemical) synapses in. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030424> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0042734> and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + axon synapses in + + + + + + + + + + + + + + + + + + + + + + Relation between an anatomical structure (including cells) and a neuron that chemically synapses to it. + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that has_part some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + synapsed by + + + + + + + + + + + Every B cell[CL_0000236] has plasma membrane part some immunoglobulin complex[GO_0019814] + + Holds between a cell c and a protein complex or protein p if and only if that cell has as part a plasma_membrane[GO:0005886], and that plasma membrane has p as part. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0005886> and <http://purl.obolibrary.org/obo/BFO_0000051> some ?Y) + + has plasma membrane part + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Ib bouton. + + + BFO_0000051 some (GO_0061176 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Ib terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Ib_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type Is bouton. + + + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type Is terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_Is_bouton_to + + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type II bouton. + + + BFO_0000051 some (GO_0061175 that BFO_0000051 some (that BFO_0000051 some (GO_0045202 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + Expands to: has_part some ('type II terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_II_bouton_to + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type II bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061174 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type II terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_II_bouton + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Ib bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061176 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Ib terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Ib_bouton + + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + + + synapsed in + http://purl.obolibrary.org/obo/BFO_0000051 some ( + http://purl.org/obo/owl/GO#GO_0045211 and http://purl.obolibrary.org/obo/BFO_0000050 some ( + http://purl.org/obo/owl/GO#GO_0045202 and http://purl.obolibrary.org/obo/BFO_0000050 some ?Y)) + + + has postsynaptic terminal in + + + + + + + + + + + has neurotransmitter + releases neurotransmitter + + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type Is bouton. + + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0061177 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type Is terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_Is_bouton + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which it receives (chemical) synaptic input. + synapses in + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that <http://purl.obolibrary.org/obo/BFO_0000050> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has presynaptic terminal in + + + + + + + + + + A relation between a motor neuron and a muscle that it synapses to via a type III bouton. + BFO_0000051 some (GO_0061177 that BFO_0000051 some (that BFO_0000051 some (GO_0097467 that BFO_0000051 some ( that BFO_0000050 some ?Y)))) + + + Expands to: has_part some ('type III terminal button' that has_part some ('pre-synaptic membrane' that part_of some ('synapse' that has_part some ('post-synaptic membrane' that part_of some ?Y)))) + synapsed_via_type_III_bouton_to + + + + + + + + + Relation between a muscle and a motor neuron that synapses to it via a type III bouton. + + BFO_0000051 some (GO_0042734 that BFO_0000050 some (GO_0045202 that BFO_0000051 some (GO_0097467 that BFO_0000051 some GO_0045211 that BFO_0000050 some ?Y))) + + + Expands to: has_part some ('presynaptic membrane' that part_of some ('synapse' that has_part some ('type III terminal button' that has_part some 'postsynaptic membrane' that part_of some ?Y))))) + synapsed_by_via_type_III_bouton + + + + + + + + + + + + + + + + + + + + + Relation between a neuron and an anatomical structure (including cells) that it chemically synapses to. + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0042734> that part_of some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000051> some (<http://purl.obolibrary.org/obo/GO_0045211> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + N1 synapsed_to some N2 +Expands to: +N1 SubclassOf ( + has_part some ( + ‘pre-synaptic membrane ; GO:0042734’ that part_of some ( + ‘synapse ; GO:0045202’ that has_part some ( + ‘post-synaptic membrane ; GO:0045211’ that part_of some N2)))) + synapsed to + + + + + + + + + + + + + + + Relation between a neuron and some structure (e.g.- a brain region) in which its dendrite receives synaptic input. + + + + + <http://purl.obolibrary.org/obo/BFO_0000051> some ( + <http://purl.obolibrary.org/obo/GO_0030425> and <http://purl.obolibrary.org/obo/BFO_0000051> some ( + http://purl.obolibrary.org/obo/GO_0042734 and <http://purl.obolibrary.org/obo/BFO_0000050> some ( + <http://purl.obolibrary.org/obo/GO_0045202> and <http://purl.obolibrary.org/obo/BFO_0000050> some ?Y))) + + + dendrite synapsed in + + + + + + + + + + + + + + + A general relation between a neuron and some structure in which it either chemically synapses to some target or in which it receives (chemical) synaptic input. + + has synapse in + <http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?) + + + has synaptic terminal in + + + + + + + + + + + + + + + + + + + + + + + + + + + x overlaps y if and only if there exists some z such that x has part z and z part of y + http://purl.obolibrary.org/obo/BFO_0000051 some (http://purl.obolibrary.org/obo/BFO_0000050 some ?Y) + + + + + overlaps + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + The relation between a neuron projection bundle and a neuron projection that is fasciculated with it. + + has fasciculating component + (forall (?x ?y) + (iff + (has_fasciculating_neuron_projection ?x ?y) + (exists (?nps ?npbs) + (and + ("neuron projection bundle ; CARO_0001001" ?x) + ("neuron projection ; GO0043005" ?y) + ("neuron projection segment ; CARO_0001502" ?nps) + ("neuron projection bundle segment ; CARO_0001500" ?npbs) + (part_of ?nps ?y) + (part_of ?npbs ?x) + (part_of ?nps ?npbs) + (forall (?npbss) + (if + (and + ("neuron projection bundle subsegment ; CARO_0001501" ?npbss) + (part_of ?npbss ?npbs) + ) + (overlaps ?nps ?npbss) + )))))) + + + + + + has fasciculating neuron projection + + + + + + + + + + + + + + Relation between a 'neuron projection bundle' and a region in which one or more of its component neuron projections either synapses to targets or receives synaptic input. +T innervates some R +Expands_to: T has_fasciculating_neuron_projection that synapse_in some R. + + <http://purl.obolibrary.org/obo/RO_0002132> some (<http://purl.obolibrary.org/obo/GO_0043005> that (<http://purl.obolibrary.org/obo/RO_0002131> some (<http://purl.obolibrary.org/obo/GO_0045202> that <http://purl.obolibrary.org/obo/BFO_0000050> some Y?))) + + + innervates + + + + + + + + + + + + + X continuous_with Y if and only if X and Y share a fiat boundary. + + connected to + The label for this relation was previously connected to. I relabeled this to "continuous with". The standard notion of connectedness does not imply shared boundaries - e.g. Glasgow connected_to Edinburgh via M8; my patella connected_to my femur (via patellar-femoral joint) + + continuous with + FMA:85972 + + + + + + + + + + x partially overlaps y iff there exists some z such that z is part of x and z is part of y, and it is also the case that neither x is part of y or y is part of x + We would like to include disjointness axioms with part_of and has_part, however this is not possible in OWL2 as these are non-simple properties and hence cannot appear in a disjointness axiom + proper overlaps + (forall (?x ?y) + (iff + (proper_overlaps ?x ?y) + (and + (overlaps ?x ?y) + (not (part_of ?x ?y)) + (not (part_of ?y ?x))))) + + + partially overlaps + + + + + + + + + + + + d derived_by_descent_from a if d is specified by some genetic program that is sequence-inherited-from a genetic program that specifies a. + ancestral_stucture_of + evolutionarily_descended_from + derived by descent from + + + + + + + + + + + inverse of derived by descent from + + has derived by descendant + + + + + + + + + + + + + + + + two individual entities d1 and d2 stand in a shares_ancestor_with relation if and only if there exists some a such that d1 derived_by_descent_from a and d2 derived_by_descent_from a. + Consider obsoleting and merging with child relation, 'in homology relationship with' + VBO calls this homologous_to + shares ancestor with + + + + + + + + + + + + serially homologous to + + + + + + + + + lactation SubClassOf 'only in taxon' some 'Mammalia' + + x only in taxon y if and only if x is in taxon y, and there is no other organism z such that y!=z a and x is in taxon z. + The original intent was to treat this as a macro that expands to 'in taxon' only ?Y - however, this is not necessary if we instead have supplemental axioms that state that each pair of sibling tax have a disjointness axiom using the 'in taxon' property - e.g. + + 'in taxon' some Eukaryota DisjointWith 'in taxon' some Eubacteria + + + + only in taxon + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x is in taxon y if an only if y is an organism, and the relationship between x and y is one of: part of (reflexive), developmentally preceded by, derives from, secreted by, expressed. + + + + + + Connects a biological entity to its taxon of origin. + in taxon + + + + + + + + + + + A is spatially_disjoint_from B if and only if they have no parts in common + There are two ways to encode this as a shortcut relation. The other possibility to use an annotation assertion between two classes, and expand this to a disjointness axiom. + + + Note that it would be possible to use the relation to label the relationship between a near infinite number of structures - between the rings of saturn and my left earlobe. The intent is that this is used for parsiomoniously for disambiguation purposes - for example, between siblings in a jointly exhaustive pairwise disjointness hierarchy + BFO_0000051 exactly 0 (BFO_0000050 some ?Y) + + + spatially disjoint from + https://github.com/obophenotype/uberon/wiki/Part-disjointness-Design-Pattern + + + + + + + + + + + + + + + + + + + + + + + + + + + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + a is connected to b if and only if a and b are discrete structure, and there exists some connecting structure c, such that c connects a and b + + connected to + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + The M8 connects Glasgow and Edinburgh + a 'toe distal phalanx bone' that is connected to a 'toe medial phalanx bone' (an interphalangeal joint *connects* these two bones). + c connects a if and only if there exist some b such that a and b are similar parts of the same system, and c connects b, specifically, c connects a with b. When one structure connects two others it unites some aspect of the function or role they play within the system. + + connects + https://github.com/obophenotype/uberon/wiki/Connectivity-Design-Pattern + https://github.com/obophenotype/uberon/wiki/Modeling-articulations-Design-Pattern + + + + + + + + + + + + + + + + a is attached to part of b if a is attached to b, or a is attached to some p, where p is part of b. + attached to part of (anatomical structure to anatomical structure) + attached to part of + + + + + + + + + true + + + + + + + + + Relation between an arterial structure and another structure, where the arterial structure acts as a conduit channeling fluid, substance or energy. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between an artery and an anatomical structure + + supplies + + + + + + + + + Relation between an collecting structure and another structure, where the collecting structure acts as a conduit channeling fluid, substance or energy away from the other structure. + Individual ontologies should provide their own constraints on this abstract relation. For example, in the realm of anatomy this should hold between a vein and an anatomical structure + + drains + + + + + + + + + + w 'has component' p if w 'has part' p and w is such that it can be directly disassembled into into n parts p, p2, p3, ..., pn, where these parts are of similar type. + The definition of 'has component' is still under discussion. The challenge is in providing a definition that does not imply transitivity. + For use in recording has_part with a cardinality constraint, because OWL does not permit cardinality constraints to be used in combination with transitive object properties. In situations where you would want to say something like 'has part exactly 5 digit, you would instead use has_component exactly 5 digit. + + + has component + + + + + + + + + + + + + + + + + + + + + + A relationship that holds between a biological entity and a phenotype. Here a phenotype is construed broadly as any kind of quality of an organism part, a collection of these qualities, or a change in quality or qualities (e.g. abnormally increased temperature). The subject of this relationship can be an organism (where the organism has the phenotype, i.e. the qualities inhere in parts of this organism), a genomic entity such as a gene or genotype (if modifications of the gene or the genotype causes the phenotype), or a condition such as a disease (such that if the condition inheres in an organism, then the organism has the phenotype). + + + has phenotype + + + + + + + + + + inverse of has phenotype + + + + phenotype of + + + + + + + + + + + + + + x develops from y if and only if either (a) x directly develops from y or (b) there exists some z such that x directly develops from z and z develops from y + + + + + This is the transitive form of the develops from relation + develops from + + + + + + + + + + + + + inverse of develops from + + + + + develops into + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + definition "x has gene product of y if and only if y is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from x" + We would like to be able to express the rule: if t transcribed from g, and t is a noncoding RNA and has an evolved function, then t has gene product g. + + gene product of + + + + + + + + + + + + + + + every HOTAIR lncRNA is the gene product of some HOXC gene + every sonic hedgehog protein (PR:000014841) is the gene product of some sonic hedgehog gene + + x has gene product y if and only if x is a gene (SO:0000704) that participates in some gene expression process (GO:0010467) where the output of that process is either y or something that is ribosomally translated from y + + has gene product + + + + + + + + + + + + + + + + + + + + + + + + 'neural crest cell' SubClassOf expresses some 'Wnt1 gene' + + x expressed in y if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and the transcription of x is part of the gene expression process (iii) x is a mature gene product such as a protein, and x was translated or otherwise processes from a transcript that was transcribed as part of this gene expression process + + expressed in + + + + + + + + + + + + + + + + + + + + + + + + + + + Candidate definition: x directly_develops from y if and only if there exists some developmental process (GO:0032502) p such that x and y both participate in p, and x is the output of p and y is the input of p, and a substantial portion of the matter of x comes from y, and the start of x is coincident with or after the end of y. + + + FBbt + + has developmental precursor + TODO - add child relations from DOS + directly develops from + + + + + + + + + + A parasite that kills or sterilizes its host + parasitoid of + + + + + + + + + inverse of parasitoid of + + has parasitoid + + + + + + + + + + inverse of directly develops from + developmental precursor of + + directly develops into + + + + + + + + + + + + + + + + + + + + + + + + + p regulates q iff p is causally upstream of q, the execution of p is not constant and varies according to specific conditions, and p influences the rate or magnitude of execution of q due to an effect either on some enabler of q or some enabler of a part of q. + + + + + GO + Regulation precludes parthood; the regulatory process may not be within the regulated process. + regulates (processual) + false + + + + regulates + + + + + + + + + + + + + + + p negatively regulates q iff p regulates q, and p decreases the rate or magnitude of execution of q. + + + negatively regulates (process to process) + + + + + negatively regulates + + + + + + + + + + + + + + + + + + + + p positively regulates q iff p regulates q, and p increases the rate or magnitude of execution of q. + + + positively regulates (process to process) + + + + + positively regulates + + + + + + + + + + + + + + + + 'human p53 protein' SubClassOf some ('has prototype' some ('participates in' some 'DNA repair')) + heart SubClassOf 'has prototype' some ('participates in' some 'blood circulation') + + x has prototype y if and only if x is an instance of C and y is a prototypical instance of C. For example, every instance of heart, both normal and abnormal is related by the has prototype relation to some instance of a "canonical" heart, which participates in blood circulation. + Experimental. In future there may be a formalization in which this relation is treated as a shortcut to some modal logic axiom. We may decide to obsolete this and adopt a more specific evolutionary relationship (e.g. evolved from) + TODO: add homeomorphy axiom + This property can be used to make weaker forms of certain relations by chaining an additional property. For example, we may say: retina SubClassOf has_prototype some 'detection of light'. i.e. every retina is related to a prototypical retina instance which is detecting some light. Note that this is very similar to 'capable of', but this relation affords a wider flexibility. E.g. we can make a relation between continuants. + + has prototype + + + + + + + + + + + mechanosensory neuron capable of detection of mechanical stimulus involved in sensory perception (GO:0050974) + osteoclast SubClassOf 'capable of' some 'bone resorption' + A relation between a material entity (such as a cell) and a process, in which the material entity has the ability to carry out the process. + + has function realized in + + + For compatibility with BFO, this relation has a shortcut definition in which the expression "capable of some P" expands to "bearer_of (some realized_by only P)". + + capable of + + + + + + + + + + + + + + c stands in this relationship to p if and only if there exists some p' such that c is capable_of p', and p' is part_of p. + + has function in + capable of part of + + + + + + + + + + true + + + + + + + + OBSOLETE x actively participates in y if and only if x participates in y and x realizes some active role + + agent in + + Obsoleted as the inverse property was obsoleted. + obsolete actively participates in + true + + + + + + + + OBSOLETE x has participant y if and only if x realizes some active role that inheres in y + + has agent + + obsolete has active participant + true + + + + + + + + + + + x surrounded_by y if and only if (1) x is adjacent to y and for every region r that is adjacent to x, r overlaps y (2) the shared boundary between x and y occupies the majority of the outermost boundary of x + + + surrounded by + + + + + + + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + The epidermis layer of a vertebrate is adjacent to the dermis. + The plasma membrane of a cell is adjacent to the cytoplasm, and also to the cell lumen which the cytoplasm occupies. + The skin of the forelimb is adjacent to the skin of the torso if these are considered anatomical subdivisions with a defined border. Otherwise a relation such as continuous_with would be used. + + x adjacent to y if and only if x and y share a boundary. + This relation acts as a join point with BSPO + + + + + + adjacent to + + + + + A caterpillar walking on the surface of a leaf is adjacent_to the leaf, if one of the caterpillar appendages is touching the leaf. In contrast, a butterfly flying close to a flower is not considered adjacent, unless there are any touching parts. + + + + + + + + + + + inverse of surrounded by + + + + surrounds + + + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for relations between occurrents involving the relative timing of their starts and ends. + https://docs.google.com/document/d/1kBv1ep_9g3sTR-SD3jqzFqhuwo9TPNF-l-9fUDbO6rM/edit?pli=1 + + A relation that holds between two occurrents. This is a grouping relation that collects together all the Allen relations. + temporally related to + + + + + + + + + + + + inverse of starts with + + Chris Mungall + Allen + + starts + + + + + + + + + + + Every insulin receptor signaling pathway starts with the binding of a ligand to the insulin receptor + + x starts with y if and only if x has part y and the time point at which x starts is equivalent to the time point at which y starts. Formally: α(y) = α(x) ∧ ω(y) < ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + started by + + starts with + + + + + + + + + + + + + + x develops from part of y if and only if there exists some z such that x develops from z and z is part of y + + develops from part of + + + + + + + + + + + + + + + x develops_in y if x is located in y whilst x is developing + + EHDAA2 + Jonathan Bard, EHDAA2 + develops in + + + + + + + + + A sub-relation of parasite-of in which the parasite that cannot complete its life cycle without a host. + obligate parasite of + + + + + + + + + A sub-relations of parasite-of in which the parasite that can complete its life cycle independent of a host. + facultative parasite of + + + + + + + + + + + + inverse of ends with + + Chris Mungall + + ends + + + + + + + + + + + + x ends with y if and only if x has part y and the time point at which x ends is equivalent to the time point at which y ends. Formally: α(y) > α(x) ∧ ω(y) = ω(x), where α is a function that maps a process to a start point, and ω is a function that maps a process to an end point. + + Chris Mungall + finished by + + ends with + + + + + + + + + + + + + + + + x 'has starts location' y if and only if there exists some process z such that x 'starts with' z and z 'occurs in' y + + starts with process that occurs in + + has start location + + + + + + + + + + + + + + + + x 'has end location' y if and only if there exists some process z such that x 'ends with' z and z 'occurs in' y + + ends with process that occurs in + + has end location + + + + + + + + + + + + + + + + p has input c iff: p is a process, c is a material entity, c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + consumes + + + + + has input + https://wiki.geneontology.org/Has_input + + + + + + + + + + + + + + + p has output c iff c is a participant in p, c is present at the end of p, and c is not present in the same state at the beginning of p. + + produces + + + + + has output + https://wiki.geneontology.org/Has_output + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host stem (PO:0009047) + stem parasite of + + + + + + + + + A parasite-of relationship in which the host is a plant and the parasite that attaches to the host root (PO:0009005) + root parasite of + + + + + + + + + A sub-relation of parasite-of in which the parasite is a plant, and the parasite is parasitic under natural conditions and is also photosynthetic to some degree. Hemiparasites may just obtain water and mineral nutrients from the host plant. Many obtain at least part of their organic nutrients from the host as well. + hemiparasite of + + + + + + + + + X 'has component participant' Y means X 'has participant' Y and there is a cardinality constraint that specifies the numbers of Ys. + + This object property is needed for axioms using has_participant with a cardinality contrainsts; e.g., has_particpant min 2 object. However, OWL does not permit cardinality constrains with object properties that have property chains (like has_particant) or are transitive (like has_part). + +If you need an axiom that says 'has_participant min 2 object', you should instead say 'has_component_participant min 2 object'. + has component participant + + + + + + + + + A broad relationship between an exposure event or process and any entity (e.g., an organism, organism population, or an organism part) that interacts with an exposure stimulus during the exposure event. + ExO:0000001 + has exposure receptor + + + + + + + + + A broad relationship between an exposure event or process and any agent, stimulus, activity, or event that causes stress or tension on an organism and interacts with an exposure receptor during an exposure event. + ExO:0000000 + has exposure stressor + + + + + + + + + A broad relationship between an exposure event or process and a process by which the exposure stressor comes into contact with the exposure receptor + ExO:0000055 + has exposure route + + + + + + + + + A broad relationship between an exposure event or process and the course takes from the source to the target. + http://purl.obolibrary.org/obo/ExO_0000004 + has exposure transport path + + + + + + + + + + Any relationship between an exposure event or process and any other entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving exposure events or processes. + related via exposure to + + + + + + + + + g is over-expressed in t iff g is expressed in t, and the expression level of g is increased relative to some background. + over-expressed in + + + + + + + + + g is under-expressed in t iff g is expressed in t, and the expression level of g is decreased relative to some background. + under-expressed in + + + + + + + + + + + + Any portion of roundup 'has active ingredient' some glyphosate + A relationship that holds between a substance and a chemical entity, if the chemical entity is part of the substance, and the chemical entity forms the biologically active component of the substance. + has active substance + has active pharmaceutical ingredient + has active ingredient + + + + + + + + + inverse of has active ingredient + + active ingredient in + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is connecting branch of S, and B1-1 as a connecting branch of B1. + b connecting-branch-of s iff b is connected to s, and there exists some tree-like structure t such that the mereological sum of b plus s is either the same as t or a branching-part-of t. + + connecting branch of + + + + + + + + + + inverse of connecting branch of + + + has connecting branch + + + + + + + + + + + + + + + + Mammalian thymus has developmental contribution from some pharyngeal pouch 3; Mammalian thymus has developmental contribution from some pharyngeal pouch 4 [Kardong] + + x has developmental contribution from y iff x has some part z such that z develops from y + + has developmental contribution from + + + + + + + + + + + + + + + inverse of has developmental contribution from + + + developmentally contributes to + + + + + + + + + + + + + t1 induced_by t2 if there is a process of developmental induction (GO:0031128) with t1 and t2 as interacting participants. t2 causes t1 to change its fate from a precursor material anatomical entity type T to T', where T' develops_from T + + + + induced by + + Developmental Biology, Gilbert, 8th edition, figure 6.5(F) + GO:0001759 + We place this under 'developmentally preceded by'. This placement should be examined in the context of reciprocal inductions[cjm] + developmentally induced by + + + + + + + + + + + Inverse of developmentally induced by + + developmentally induces + + + + + + + + + + + + + Candidate definition: x developmentally related to y if and only if there exists some developmental process (GO:0032502) p such that x and y both participates in p, and x is the output of p and y is the input of p + false + + In general you should not use this relation to make assertions - use one of the more specific relations below this one + This relation groups together various other developmental relations. It is fairly generic, encompassing induction, developmental contribution and direct and transitive develops from + developmentally preceded by + + + + + + + + + c has-biological-role r iff c has-role r and r is a biological role (CHEBI:24432) + has biological role + + + + + + + + + c has-application-role r iff c has-role r and r is an application role (CHEBI:33232) + has application role + + + + + + + + + c has-chemical-role r iff c has-role r and r is a chemical role (CHEBI:51086) + has chemical role + + + + + + + + + + + + + A faulty traffic light (material entity) whose malfunctioning (a process) is causally upstream of a traffic collision (a process): the traffic light acts upstream of the collision. + c acts upstream of p if and only if c enables some f that is involved in p' and p' occurs chronologically before p, is not part of p, and affects the execution of p. c is a material entity and f, p, p' are processes. + + acts upstream of + + + + + + + + + + + + + + A gene product that has some activity, where that activity may be a part of a pathway or upstream of the pathway. + c acts upstream of or within p if c is enables f, and f is causally upstream of or within p. c is a material entity and p is an process. + affects + + acts upstream of or within + https://wiki.geneontology.org/Acts_upstream_of_or_within + + + + + + + + + + x developmentally replaces y if and only if there is some developmental process that causes x to move or to cease to exist, and for the site that was occupied by x to become occupied by y, where y either comes into existence in this site or moves to this site from somewhere else + This relation is intended for cases such as when we have a bone element replacing its cartilage element precursor. Currently most AOs represent this using 'develops from'. We need to decide whether 'develops from' will be generic and encompass replacement, or whether we need a new name for a generic relation that encompasses replacement and development-via-cell-lineage + + replaces + developmentally replaces + + + + + + + + + + Inverse of developmentally preceded by + + developmentally succeeded by + + + + + + + + + + + + + 'hypopharyngeal eminence' SubClassOf 'part of precursor of' some tongue + + + part of developmental precursor of + + + + + + + + + + + x is ubiquitously expressed in y if and only if x is expressed in y, and the majority of cells in y express x + Revisit this term after coordinating with SO/SOM. The domain of this relation should be a sequence, as an instance of a DNA molecule is only expressed in the cell of which it is a part. + + ubiquitously expressed in + + + + + + + + + + y expresses x if and only if there is a gene expression process (GO:0010467) that occurs in y, and one of the following holds: (i) x is a gene, and x is transcribed into a transcript as part of the gene expression process (ii) x is a transcript, and x was transcribed from a gene as part of the gene expression process (iii) x is a mature gene product (protein or RNA), and x was translated or otherwise processed from a transcript that was transcribed as part of the gene expression process. + + expresses + + + + + + + + + + inverse of ubiquiotously expressed in + + + ubiquitously expresses + + + + + + + + + + + + p results in the developmental progression of s iff p is a developmental process and s is an anatomical entity and p causes s to undergo a change in state at some point along its natural developmental cycle (this cycle starts with its formation, through the mature structure, and ends with its loss). + This property and its subproperties are being used primarily for the definition of GO developmental processes. The property hierarchy mirrors the core GO hierarchy. In future we may be able to make do with a more minimal set of properties, but due to the way GO is currently structured we require highly specific relations to avoid incorrect entailments. To avoid this, the corresponding genus terms in GO should be declared mutually disjoint. + + results in developmental progression of + + + + + + + + + + + every flower development (GO:0009908) results in development of some flower (PO:0009046) + + p 'results in development of' c if and only if p is a developmental process and p results in the state of c changing from its initial state as a primordium or anlage through its mature state and to its final state. + + http://www.geneontology.org/GO.doc.development.shtml + + + + results in development of + + + + + + + + + + + an annotation of gene X to anatomical structure formation with results_in_formation_of UBERON:0000007 (pituitary gland) means that at the beginning of the process a pituitary gland does not exist and at the end of the process a pituitary gland exists. + every "endocardial cushion formation" (GO:0003272) results_in_formation_of some "endocardial cushion" (UBERON:0002062) + + + GOC:mtg_berkeley_2013 + + + + results in formation of + + + + + + + + + + an annotation of gene X to cell morphogenesis with results_in_morphogenesis_of CL:0000540 (neuron) means that at the end of the process an input neuron has attained its shape. + tongue morphogenesis (GO:0043587) results in morphogenesis of tongue (UBERON:0001723) + + The relationship that links an entity with the process that results in the formation and shaping of that entity over time from an immature to a mature state. + + GOC:mtg_berkeley_2013 + + + + results in morphogenesis of + + + + + + + + + + an annotation of gene X to cell maturation with results_in_maturation_of CL:0000057 (fibroblast) means that the fibroblast is mature at the end of the process + bone maturation (GO:0070977) results_in_maturation_of bone (UBERON:0001474) + + The relationship that links an entity with a process that results in the progression of the entity over time that is independent of changes in it's shape and results in an end point state of that entity. + + GOC:mtg_berkeley_2013 + + + + results in maturation of + + + + + + + + + foramen ovale closure SubClassOf results in disappearance of foramen ovale + + + May be merged into parent relation + results in disappearance of + + + + + + + + + every mullerian duct regression (GO:0001880) results in regression of some mullerian duct (UBERON:0003890) + + + May be merged into parent relation + results in developmental regression of + + + + + + + + + + Inverse of 'is substance that treats' + + + is treated by substance + + + + + + + + + + + Hydrozoa (NCBITaxon_6074) SubClassOf 'has habitat' some 'Hydrozoa habitat' +where +'Hydrozoa habitat' SubClassOf overlaps some ('marine environment' (ENVO_00000569) and 'freshwater environment' (ENVO_01000306) and 'wetland' (ENVO_00000043)) and 'has part' some (freshwater (ENVO_00002011) or 'sea water' (ENVO_00002149)) -- http://eol.org/pages/1795/overview + + x 'has habitat' y if and only if: x is an organism, y is a habitat, and y can sustain and allow the growth of a population of xs. + + adapted for living in + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to exist and grow in y. + has habitat + + + + + + + + + + p is causally upstream of, positive effect q iff p is casually upstream of q, and the execution of p is required for the execution of q. + + + + + holds between x and y if and only if x is causally upstream of y and the progression of x increases the frequency, rate or extent of y + causally upstream of, positive effect + + + + + + + + + + + p is causally upstream of, negative effect q iff p is casually upstream of q, and the execution of p decreases the execution of q. + + + + + causally upstream of, negative effect + + + + + + + + + + A relationship between an exposure event or process and any agent, stimulus, activity, or event that causally effects an organism and interacts with an exposure receptor during an exposure event. + + + + + 2017-06-05T17:35:04Z + has exposure stimulus + + + + + + + + + + evolutionary variant of + + + + + + + + + + Holds between p and c when p is a localization process (localization covers maintenance of localization as well as its establishment) and the outcome of this process is to regulate the localization of c. + + regulates localization of + + + + transports or maintains localization of + + + + + + + + + + + + + + + + + q characteristic of part of w if and only if there exists some p such that q inheres in p and p part of w. + Because part_of is transitive, inheres in is a sub-relation of characteristic of part of + + inheres in part of + + + characteristic of part of + + + + + + + + + + true + + + + + + + + + + + an annotation of gene X to cell differentiation with results_in_maturation_of CL:0000057 (fibroblast) means that at the end of the process the input cell that did not have features of a fibroblast, now has the features of a fibroblast. + The relationship that links a specified entity with the process that results in an unspecified entity acquiring the features and characteristics of the specified entity + + GOC:mtg_berkeley_2013 + + + + results in acquisition of features of + + + + + + + + A relationship that holds via some environmental process + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the process of evolution. + evolutionarily related to + + + + + + + + A relationship that is mediated in some way by the environment or environmental feature (ENVO:00002297) + Awaiting class for domain/range constraint, see: https://github.com/OBOFoundry/Experimental-OBO-Core/issues/6 + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving ecological interactions + + ecologically related to + + + + + + + + + + An experimental relation currently used to connect a feature possessed by an organism (e.g. anatomical structure, biological process, phenotype or quality) to a habitat or environment in which that feature is well suited, adapted or provides a reproductive advantage for the organism. For example, fins to an aquatic environment. Usually this will mean that the structure is adapted for this environment, but we avoid saying this directly - primitive forms of the structure may not have evolved specifically for that environment (for example, early wings were not necessarily adapted for an aerial environment). Note also that this is a statement about the general class of structures - not every instance of a limb need confer an advantage for a terrestrial environment, e.g. if the limb is vestigial. + + adapted for + + confers advantage in + + + + + + + + A mereological relationship or a topological relationship + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving parthood or connectivity relationships + + mereotopologically related to + + + + + + + + A relationship that holds between entities participating in some developmental process (GO:0032502) + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving organismal development + developmentally related to + + + + + + + + + + + Clp1p relocalizes from the nucleolus to the spindle and site of cell division; i.e. it is associated transiently with the spindle pole body and the contractile ring (evidence from GFP fusion). Clp1p colocalizes_with spindle pole body (GO:0005816) and contractile ring (GO:0005826) + a colocalizes_with b if and only if a is transiently or peripherally associated with b[GO]. + + In the context of the Gene Ontology, colocalizes_with may be used for annotating to cellular component terms[GO] + + colocalizes with + + + + + + + + + + ATP citrate lyase (ACL) in Arabidopsis: it is a heterooctamer, composed of two types of subunits, ACLA and ACLB in a A(4)B(4) stoichiometry. Neither of the subunits expressed alone give ACL activity, but co-expression results in ACL activity. Both subunits contribute_to the ATP citrate lyase activity. + Subunits of nuclear RNA polymerases: none of the individual subunits have RNA polymerase activity, yet all of these subunits contribute_to DNA-dependent RNA polymerase activity. + eIF2: has three subunits (alpha, beta, gamma); one binds GTP; one binds RNA; the whole complex binds the ribosome (all three subunits are required for ribosome binding). So one subunit is annotated to GTP binding and one to RNA binding without qualifiers, and all three stand in the contributes_to relationship to "ribosome binding". And all three are part_of an eIF2 complex + We would like to say + +if and only if + exists c', p' + c part_of c' and c' capable_of p + and + c capable_of p' and p' part_of p +then + c contributes_to p + +However, this is not possible in OWL. We instead make this relation a sub-relation of the two chains, which gives us the inference in the one direction. + + In the context of the Gene Ontology, contributes_to may be used only with classes from the molecular function ontology. + + contributes to + https://wiki.geneontology.org/Contributes_to + + + + + + + + + + + + + + + + + + a particular instances of akt-2 enables some instance of protein kinase activity + c enables p iff c is capable of p and c acts to execute p. + + catalyzes + executes + has + is catalyzing + is executing + This relation differs from the parent relation 'capable of' in that the parent is weaker and only expresses a capability that may not be actually realized, whereas this relation is always realized. + + enables + https://wiki.geneontology.org/Enables + + + + + + + + A grouping relationship for any relationship directly involving a function, or that holds because of a function of one of the related entities. + + This is a grouping relation that collects relations used for the purpose of connecting structure and function + functionally related to + + + + + + + + + + + + + this relation holds between c and p when c is part of some c', and c' is capable of p. + + false + part of structure that is capable of + + + + + + + + + true + + + + + + + + + + holds between two entities when some genome-level process such as gene expression is involved. This includes transcriptional, spliceosomal events. These relations can be used between either macromolecule entities (such as regions of nucleic acid) or between their abstract informational counterparts. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving the genome of an organism + genomically related to + + + + + + + + + + + + + + + + + + c involved_in p if and only if c enables some process p', and p' is part of p + + actively involved in + enables part of + involved in + https://wiki.geneontology.org/Involved_in + + + + + + + + + + + every cellular sphingolipid homeostasis process regulates_level_of some sphingolipid + p regulates levels of c if p regulates some amount (PATO:0000070) of c + + + regulates levels of (process to entity) + regulates levels of + + + + + + + + + + inverse of enables + + + enabled by + https://wiki.geneontology.org/Enabled_by + + + + + + + + + + + + inverse of regulates + + regulated by (processual) + + regulated by + + + + + + + + + inverse of negatively regulates + + + negatively regulated by + + + + + + + + + inverse of positively regulates + + + positively regulated by + + + + + + + + + + A relationship that holds via some process of localization + + Do not use this relation directly. It is a grouping relation. + related via localization to + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from some initial location l to some destination. + + + + + has target start location + + + + + + + + + + + + + This relationship holds between p and l when p is a transport or localization process in which the outcome is to move some cargo c from a an initial location to some destination l. + + + + + has target end location + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the start location of c is part of the region that surrounds s. + + + imports + + + + + + + + + Holds between p and l when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that is aligned_with l + + results in transport along + + + + + + + + + + Holds between p and m when p is a transportation or localization process and the outcome of this process is to move c from one location to another, and the route taken by c follows a path that crosses m. + + + results in transport across + + + + + + + + + + 'pollen tube growth' results_in growth_of some 'pollen tube' + + results in growth of + + + + + + + + + 'mitochondrial transport' results_in_transport_to_from_or_in some mitochondrion (GO:0005739) + + results in transport to from or in + + + + + + + + + Holds between p and c when p is a transportation or localization process and the outcome of this process is to move c to a destination that is part of some s, where the end location of c is part of the region that surrounds s. + + + exports + + + + + + + + + + an annotation of gene X to cell commitment with results_in_commitment_to CL:0000540 (neuron) means that at the end of the process an unspecified cell has been specified and determined to develop into a neuron. + p 'results in commitment to' c if and only if p is a developmental process and c is a cell and p results in the state of c changing such that is can only develop into a single cell type. + + + + + results in commitment to + + + + + + + + + + p 'results in determination of' c if and only if p is a developmental process and c is a cell and p results in the state of c changing to be determined. Once a cell becomes determined, it becomes committed to differentiate down a particular pathway regardless of its environment. + + + + + results in determination of + + + + + + + + + + An organism that is a member of a population of organisms + is member of is a mereological relation between a item and a collection. + is member of + member part of + SIO + + member of + + + + + + + + + + has member is a mereological relation between a collection and an item. + SIO + + has member + + + + + + + + + + inverse of has input + + + + input of + + + + + + + + + + inverse of has output + + + + output of + + + + + + + + + + formed as result of + + + + + + + + + + A relationship between a process and an anatomical entity such that the process contributes to the act of creating the structural organization of the anatomical entity. + + results in structural organization of + + + + + + + + + + The relationship linking a cell and its participation in a process that results in the fate of the cell being specified. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. + + + + + results in specification of + + + + + + + + + p results in developmental induction of c if and only if p is a collection of cell-cell signaling processes that signal to a neighbouring tissue that is the precursor of the mature c, where the signaling results in the commitment to cell types necessary for the formation of c. + + results in developmental induction of + + + + + + + + + + http://neurolex.org/wiki/Property:DendriteLocation + has dendrite location + + + + + + + + + + + a is attached to b if and only if a and b are discrete objects or object parts, and there are physical connections between a and b such that a force pulling a will move b, or a force pulling b will move a + + attached to (anatomical structure to anatomical structure) + + attached to + + + + + + + + + + + m has_muscle_origin s iff m is attached_to s, and it is the case that when m contracts, s does not move. The site of the origin tends to be more proximal and have greater mass than what the other end attaches to. + + Wikipedia:Insertion_(anatomy) + has muscle origin + + + + + + + We need to import uberon muscle to create a stricter domain constraint + + + + + + + + + + + m has_muscle_insertion s iff m is attaches_to s, and it is the case that when m contracts, s moves. Insertions are usually connections of muscle via tendon to bone. + + Wikipedia:Insertion_(anatomy) + has muscle insertion + + + + + + + We need to import uberon muscle into RO to use as a stricter domain constraint + + + + + + + + + false + + x has_fused_element y iff: there exists some z : x has_part z, z homologous_to y, and y is a distinct element, the boundary between x and z is largely fiat + + + has fused element + A has_fused_element B does not imply that A has_part some B: rather than A has_part some B', where B' that has some evolutionary relationship to B. + derived from ancestral fusion of + + + + + + + + + + + + A relationship that holds between two material entities in a system of connected structures, where the branching relationship holds based on properties of the connecting network. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving branching relationships + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (plant branches and roots, leaf veins, animal veins, arteries, nerves) + + in branching relationship with + + https://github.com/obophenotype/uberon/issues/170 + + + + + + + + + + Deschutes River tributary_of Columbia River + inferior epigastric vein tributary_of external iliac vein + + x tributary_of y if and only if x a channel for the flow of a substance into y, where y is larger than x. If x and y are hydrographic features, then y is the main stem of a river, or a lake or bay, but not the sea or ocean. If x and y are anatomical, then y is a vein. + + drains into + drains to + tributary channel of + http://en.wikipedia.org/wiki/Tributary + http://www.medindia.net/glossary/venous_tributary.htm + This relation can be used for geographic features (e.g. rivers) as well as anatomical structures (veins, arteries) + + tributary of + + http://en.wikipedia.org/wiki/Tributary + + + + + + + + + + Deschutes River distributary_of Little Lava Lake + + x distributary_of y if and only if x is capable of channeling the flow of a substance to y, where y channels less of the substance than x + + branch of + distributary channel of + http://en.wikipedia.org/wiki/Distributary + + This is both a mereotopological relationship and a relationship defined in connection to processes. It concerns both the connecting structure, and how this structure is disposed to causally affect flow processes + distributary of + + + + + + + + + + + + + + + + + x anabranch_of y if x is a distributary of y (i.e. it channels a from a larger flow from y) and x ultimately channels the flow back into y. + + anastomoses with + + anabranch of + + + + + + + + + + + + + + + A lump of clay and a statue + x spatially_coextensive_with y if and inly if x and y have the same location + + This relation is added for formal completeness. It is unlikely to be used in many practical scenarios + spatially coextensive with + + + + + + + + + + + + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, B1 is a (direct) branching part of T. B1-1, B1-2, and B1-3 are also branching parts of T, but these are considered indirect branching parts as they do not directly connect to the main stem S + x is a branching part of y if and only if x is part of y and x is connected directly or indirectly to the main stem of y + + + branching part of + + FMA:85994 + + + + + + + + + + In the tree T depicted in https://oborel.github.io/obo-relations/branching_part_of.png, S is the main stem of T. There are no other main stems. If we were to slice off S to get a new tree T', rooted at the root of B1, then B1 would be the main stem of T'. + + x main_stem_of y if y is a branching structure and x is a channel that traces a linear path through y, such that x has higher capacity than any other such path. + + + main stem of + + + + + + + + + + + x proper_distributary_of y iff x distributary_of y and x does not flow back into y + + + proper distributary of + + + + + + + + + + x proper_tributary_of y iff x tributary_of y and x does not originate from y + + + proper tributary of + + + + + + + + + + + + x has developmental potential involving y iff x is capable of a developmental process with output y. y may be the successor of x, or may be a different structure in the vicinity (as for example in the case of developmental induction). + + has developmental potential involving + + + + + + + + + + x has potential to developmentrally contribute to y iff x developmentally contributes to y or x is capable of developmentally contributing to y + + has potential to developmentally contribute to + + + + + + + + + + x has potential to developmentally induce y iff x developmentally induces y or x is capable of developmentally inducing y + + has potential to developmentally induce + + + + + + + + + + x has the potential to develop into y iff x develops into y or if x is capable of developing into y + + has potential to develop into + + + + + + + + + + x has potential to directly develop into y iff x directly develops into y or x is capable of directly developing into y + + has potential to directly develop into + + + + + + + + + + + + + 'protein catabolic process' SubClassOf has_direct_input some protein + + p has direct input c iff c is a participant in p, c is present at the start of p, and the state of c is modified during p. + + directly consumes + This is likely to be obsoleted. A candidate replacement would be a new relation 'has bound input' or 'has substrate' + has direct input + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect input + true + + + + + + + + translation SubClassOf has_direct_output some protein + + p has direct input c iff c is a participanti n p, c is present at the end of p, and c is not present at the beginning of c. + + directly produces + obsolete has direct output + true + + + + + + + + + + + + + + Likely to be obsoleted. See: +https://docs.google.com/document/d/1QMhs9J-P_q3o_rDh-IX4ZEnz0PnXrzLRVkI3vvz8NEQ/edit + obsolete has indirect output + true + + + + + + + + + + + + inverse of upstream of + + causally downstream of + + + + + + + + + + + + + immediately causally downstream of + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly positively regulates'. + obsolete directly activates + true + + + + + + + + + + + + + + + + + + + + + + + + + + + p indirectly positively regulates q iff p is indirectly causally upstream of q and p positively regulates q. + + indirectly activates + + indirectly positively regulates + https://wiki.geneontology.org/Indirectly_positively_regulates + + + + + + + + + This term was obsoleted because it has the same meaning as 'directly negatively regulates'. + obsolete directly inhibits + true + + + + + + + + + + + + + + + + + + + + + + + p indirectly negatively regulates q iff p is indirectly causally upstream of q and p negatively regulates q. + + indirectly inhibits + + indirectly negatively regulates + https://wiki.geneontology.org/Indirectly_negatively_regulates + + + + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + This branch of the ontology deals with causal relations between entities. It is divided into two branches: causal relations between occurrents/processes, and causal relations between material entities. We take an 'activity flow-centric approach', with the former as primary, and define causal relations between material entities in terms of causal relations between occurrents. + +To define causal relations in an activity-flow type network, we make use of 3 primitives: + + * Temporal: how do the intervals of the two occurrents relate? + * Is the causal relation regulatory? + * Is the influence positive or negative? + +The first of these can be formalized in terms of the Allen Interval Algebra. Informally, the 3 bins we care about are 'direct', 'indirect' or overlapping. Note that all causal relations should be classified under a RO temporal relation (see the branch under 'temporally related to'). Note that all causal relations are temporal, but not all temporal relations are causal. Two occurrents can be related in time without being causally connected. We take causal influence to be primitive, elucidated as being such that has the upstream changed, some qualities of the donwstream would necessarily be modified. + +For the second, we consider a relationship to be regulatory if the system in which the activities occur is capable of altering the relationship to achieve some objective. This could include changing the rate of production of a molecule. + +For the third, we consider the effect of the upstream process on the output(s) of the downstream process. If the level of output is increased, or the rate of production of the output is increased, then the direction is increased. Direction can be positive, negative or neutral or capable of either direction. Two positives in succession yield a positive, two negatives in succession yield a positive, otherwise the default assumption is that the net effect is canceled and the influence is neutral. + +Each of these 3 primitives can be composed to yield a cross-product of different relation types. + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causally related to + + + + + relation that links two events, processes, states, or objects such that one event, process, state, or object (a cause) contributes to the production of another event, process, state, or object (an effect) where the cause is partly or wholly responsible for the effect, and the effect is partly or wholly dependent on the cause. + https://en.wikipedia.org/wiki/Causality + + + + + + + + + + + p is causally upstream of q iff p is causally related to q, the end of p precedes the end of q, and p is not an occurrent part of q. + + + + causally upstream of + + + + + + + + + + p is immediately causally upstream of q iff p is causally upstream of q, and the end of p is coincident with the beginning of q. + + + immediately causally upstream of + + + + + + + + + + + + + + p provides input for q iff p is immediately causally upstream of q, and there exists some c such that p has_output c and q has_input c. + + directly provides input for + + directly provides input for (process to process) + provides input for + https://wiki.geneontology.org/Provides_input_for + + + + + + + + + + + + + transitive form of directly_provides_input_for + + This is a grouping relation that should probably not be used in annotation. Consider instead the child relation 'provides input for'. + transitively provides input for (process to process) + transitively provides input for + + + + + + + + + + + p is 'causally upstream or within' q iff p is causally related to q, and the end of p precedes, or is coincident with, the end of q. + We would like to make this disjoint with 'preceded by', but this is prohibited in OWL2 + + influences (processual) + affects + causally upstream of or within + + + + + + + + false + + This is an exploratory relation + differs in + https://code.google.com/p/phenotype-ontologies/w/edit/PhenotypeModelCompetencyQuestions + + + + + + + + + + + + + + + + + + differs in attribute of + + + + + + + + + + + differs in attribute + + + + + + + + + + inverse of causally upstream of or within + + + + causally downstream of or within + + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' regulates some p + + involved in regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' positively regulates some p + + + involved in positive regulation of + + + + + + + + + + + + + + + + + c involved in regulation of p if c is involved in some p' and p' negatively regulates some p + + + involved in negative regulation of + + + + + + + + + + + c involved in or regulates p if and only if either (i) c is involved in p or (ii) c is involved in regulation of p + OWL does not allow defining object properties via a Union + + involved in or reguates + involved in or involved in regulation of + + + + + + + + + + + + + + A protein that enables activity in a cytosol. + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + executes activity in + enables activity in + + is active in + https://wiki.geneontology.org/Is_active_in + + + + + + + + + true + + + + + c executes activity in d if and only if c enables p and p occurs_in d. Assuming no action at a distance by gene products, if a gene product enables (is capable of) a process that occurs in some structure, it must have at least some part in that structure. + + + + + + + + + + + p contributes to morphology of w if and only if a change in the morphology of p entails a change in the morphology of w. Examples: every skull contributes to morphology of the head which it is a part of. Counter-example: nuclei do not generally contribute to the morphology of the cell they are part of, as they are buffered by cytoplasm. + + contributes to morphology of + + + + + + + + + + + A relationship that holds between two entities in which the processes executed by the two entities are causally connected. + This relation and all sub-relations can be applied to either (1) pairs of entities that are interacting at any moment of time (2) populations or species of entity whose members have the disposition to interact (3) classes whose members have the disposition to interact. + Considering relabeling as 'pairwise interacts with' + + Note that this relationship type, and sub-relationship types may be redundant with process terms from other ontologies. For example, the symbiotic relationship hierarchy parallels GO. The relations are provided as a convenient shortcut. Consider using the more expressive processual form to capture your data. In the future, these relations will be linked to their cognate processes through rules. + in pairwise interaction with + + interacts with + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + http://purl.obolibrary.org/obo/MI_0914 + + + + + + + + + + An interaction that holds between two genetic entities (genes, alleles) through some genetic interaction (e.g. epistasis) + + genetically interacts with + + http://purl.obolibrary.org/obo/MI_0208 + + + + + + + + + + An interaction relationship in which the two partners are molecular entities that directly physically interact with each other for example via a stable binding interaction or a brief interaction during which one modifies the other. + + binds + molecularly binds with + molecularly interacts with + + http://purl.obolibrary.org/obo/MI_0915 + + + + + + + + + + + + + An interaction relationship in which at least one of the partners is an organism and the other is either an organism or an abiotic entity with which the organism interacts. + + interacts with on organism level + + biotically interacts with + + http://eol.org/schema/terms/interactsWith + + + + + + + + + An interaction relationship in which the partners are related via a feeding relationship. + + + trophically interacts with + + + + + + + + + + + A wasp killing a Monarch larva in order to feed to offspring [http://www.inaturalist.org/observations/2942824] + Baleen whale preys on krill + An interaction relationship involving a predation process, where the subject kills the target in order to eat it or to feed to siblings, offspring or group members + + + + is subject of predation interaction with + preys upon + + preys on + http://eol.org/schema/terms/preysUpon + http://www.inaturalist.org/observations/2942824 + + + + + + + + + + + + + + + + + A biotic interaction in which the two organisms live together in more or less intimate association. + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + We follow GO and PAMGO in using 'symbiosis' as the broad term encompassing mutualism through parasitism + + symbiotically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which one benefits and the other is unaffected (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + commensually interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which both organisms benefit from each other (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + + mutualistically interacts with + + + + + + + + + + + + + + + + An interaction relationship between two organisms living together in more or less intimate association in a relationship in which association is disadvantageous or destructive to one of the organisms (GO). + + http://www.ncbi.nlm.nih.gov/pubmed/19278549 + This relation groups a pair of inverse relations, parasite of and parasitized by + + interacts with via parasite-host interaction + + + + + + + + + + + + + + + + + + Pediculus humanus capitis parasite of human + + parasitizes + direct parasite of + + parasite of + http://eol.org/schema/terms/parasitizes + + + + + + + + + + + has parasite + parasitised by + directly parasitized by + + parasitized by + http://eol.org/schema/terms/hasParasite + + + + + + + + + Porifiera attaches to substrate + A biotic interaction relationship in which one partner is an organism and the other partner is inorganic. For example, the relationship between a sponge and the substrate to which is it anchored. + + semibiotically interacts with + + participates in a abiotic-biotic interaction with + + + + + + + + + + + + + + + Axiomatization to GO to be added later + + An interaction relation between x and y in which x catalyzes a reaction in which a phosphate group is added to y. + phosphorylates + + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that regulates an activity performed by B. For example, A and B may be gene products and binding of B by A regulates the kinase activity of B. + +A and B can be physically interacting but not necessarily. Immediately upstream means there are no intermediate entity between A and B. + + + molecularly controls + directly regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that negatively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A negatively regulates the kinase activity of B. + + + directly inhibits + molecularly decreases activity of + directly negatively regulates activity of + + + + + + + + + + + + + + + + The entity A, immediately upstream of the entity B, has an activity that positively regulates an activity performed by B. +For example, A and B may be gene products and binding of B by A positively regulates the kinase activity of B. + + + directly activates + molecularly increases activity of + directly positively regulates activity of + + + + + + + + + all dengue disease transmitted by some mosquito + A relationship that holds between a disease and organism + Add domain and range constraints + + transmitted by + + + + + + + + + + A relation that holds between a disease or an organism and a phenotype + + has symptom + + + + + + + + + + The term host is usually used for the larger (macro) of the two members of a symbiosis (GO) + + host of + + + + + + + + + X 'has host' y if and only if: x is an organism, y is an organism, and x can live on the surface of or within the body of y + + + has host + http://eol.org/schema/terms/hasHost + + + + + + + + + + Bees pollinate Flowers + This relation is intended to be used for biotic pollination - e.g. a bee pollinating a flowering plant. Some kinds of pollination may be semibiotic - e.g. wind can have the role of pollinator. We would use a separate relation for this. + + is subject of pollination interaction with + + pollinates + http://eol.org/schema/terms/pollinates + + + + + + + + + + has polinator + is target of pollination interaction with + + pollinated by + http://eol.org/schema/terms/hasPollinator + + + + + + + + + + + Intended to be used when the target of the relation is not itself consumed, and does not have integral parts consumed, but provided nutrients in some other fashion. + + acquires nutrients from + + + + + + + + + inverse of preys on + + has predator + is target of predation interaction with + + + preyed upon by + http://eol.org/schema/terms/HasPredator + http://polytraits.lifewatchgreece.eu/terms/PRED + + + + + + + + + + Anopheles is a vector for Plasmodium + + a is a vector for b if a carries and transmits an infectious pathogen b into another living organism + + is vector for + + + + + + + + + + + has vector + + + + + + + + + + Experimental: relation used for defining interaction relations. An interaction relation holds when there is an interaction event with two partners. In a directional interaction, one partner is deemed the subject, the other the target + partner in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'subject participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the subject is the predator. We can imagine a reciprocal prey-predatory process with subject and object reversed. + subject participant in + + + + + + + + + + Experimental: relation used for defining interaction relations; the meaning of s 'target participant in' p is determined by the type of p, where p must be a directional interaction process. For example, in a predator-prey interaction process the target is the prey. We can imagine a reciprocal prey-predatory process with subject and object reversed. + target participant in + + + + + + + + + This property or its subproperties is not to be used directly. These properties exist as helper properties that are used to support OWL reasoning. + helper property (not for use in curation) + + + + + + + + + + is symbiosis + + + + + + + + + + is commensalism + + + + + + + + + + is mutualism + + + + + + + + + + is parasitism + + + + + + + + + + + provides nutrients for + + + + + + + + + + is subject of eating interaction with + + eats + + + + + + + + + + eaten by + is target of eating interaction with + + is eaten by + + + + + + + + + + A relationship between a piece of evidence a and some entity b, where b is an information content entity, material entity or process, and +the a supports either the existence of b, or the truth value of b. + + + is evidence for + + + + + + + + + + + 'otolith organ' SubClassOf 'composed primarily of' some 'calcium carbonate' + x composed_primarily_of y if and only if more than half of the mass of x is made from y or units of the same type as y. + + + + + composed primarily of + + + + + + + + + + + ABal nucleus child nucleus of ABa nucleus (in C elegans) + c is a child nucleus of d if and only if c and d are both nuclei and parts of cells c' and d', where c' is derived from d' by mitosis and the genetic material in c is a copy of the generic material in d + + This relation is primarily used in the worm anatomy ontology for representing lineage at the level of nuclei. However, it is applicable to any organismal cell lineage. + child nucleus of + + + + + + + + + A child nucleus relationship in which the cells are part of a hermaphroditic organism + + child nucleus of in hermaphrodite + + + + + + + + + A child nucleus relationship in which the cells are part of a male organism + + child nucleus of in male + + + + + + + + + + + + + + p has part that occurs in c if and only if there exists some p1, such that p has_part p1, and p1 occurs in c. + + + has part that occurs in + + + + + + + + + true + + + + + + + + + + + + + + An interaction relation between x and y in which x catalyzes a reaction in which one or more ubiquitin groups are added to y + Axiomatization to GO to be added later + + ubiquitinates + + + + + + + + + + is kinase activity + + + + + + + + + + is ubiquitination + + + + + + + + + + See notes for inverse relation + + receives input from + + + + + + + + + This is an exploratory relation. The label is taken from the FMA. It needs aligned with the neuron-specific relations such as has postsynaptic terminal in. + + sends output to + + + + + + + + + + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, typically connecting an anatomical entity to a biological process or developmental stage. + relation between physical entity and a process or stage + + + + + + + + + + + + + + + + + + x existence starts during y if and only if the time point at which x starts is after or equivalent to the time point at which y starts and before or equivalent to the time point at which y ends. Formally: x existence starts during y iff α(x) >= α(y) & α(x) <= ω(y). + + existence starts during + + + + + + + + + x starts ends with y if and only if the time point at which x starts is equivalent to the time point at which y starts. Formally: x existence starts with y iff α(x) = α(y). + + existence starts with + + + + + + + + + x existence overlaps y if and only if either (a) the start of x is part of y or (b) the end of x is part of y. Formally: x existence starts and ends during y iff (α(x) >= α(y) & α(x) <= ω(y)) OR (ω(x) <= ω(y) & ω(x) >= α(y)) + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence overlaps + + + + + + + + + + x exists during y if and only if: 1) the time point at which x begins to exist is after or equal to the time point at which y begins and 2) the time point at which x ceases to exist is before or equal to the point at which y ends. Formally: x existence starts and ends during y iff α(x) >= α(y) & α(x) <= ω(y) & ω(x) <= ω(y) & ω(x) >= α(y) + + exists during + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts and ends during + + + + + + + + + + + + + + + + + + x existence ends during y if and only if the time point at which x ends is before or equivalent to the time point at which y ends and after or equivalent to the point at which y starts. Formally: x existence ends during y iff ω(x) <= ω(y) and ω(x) >= α(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during + + + + + + + + + x existence ends with y if and only if the time point at which x ends is equivalent to the time point at which y ends. Formally: x existence ends with y iff ω(x) = ω(y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends with + + + + + + + + + + x transformation of y if x is the immediate transformation of y, or is linked to y through a chain of transformation relationships + + transformation of + + + + + + + + + + x immediate transformation of y iff x immediately succeeds y temporally at a time boundary t, and all of the matter present in x at t is present in y at t, and all the matter in y at t is present in x at t + + + immediate transformation of + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence starts during or after y if and only if the time point at which x starts is after or equivalent to the time point at which y starts. Formally: x existence starts during or after y iff α (x) >= α (y). + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence starts during or after + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + x existence ends during or before y if and only if the time point at which x ends is before or equivalent to the time point at which y ends. + + The relations here were created based on work originally by Fabian Neuhaus and David Osumi-Sutherland. The work has not yet been vetted and errors in definitions may have occurred during transcription. + existence ends during or before + + + + + + + + + + A relationship between a material entity and a process where the material entity has some causal role that influences the process + + causal agent in process + + + + + + + + + + + p is causally related to q if and only if p or any part of p and q or any part of q are linked by a chain of events where each event pair is one where the execution of p influences the execution of q. p may be upstream, downstream, part of, or a container of q. + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between processes + + + + + + + + + depends on + + + + + + + + + + q towards e2 if and only if q is a relational quality such that q inheres-in some e, and e != e2 and q is dependent on e2 + This relation is provided in order to support the use of relational qualities such as 'concentration of'; for example, the concentration of C in V is a quality that inheres in V, but pertains to C. + + + towards + + + + + + + + + 'lysine biosynthetic process via diaminopimelate' SubClassOf has_intermediate some diaminopimelate + p has intermediate c if and only if p has parts p1, p2 and p1 has output c, and p2 has input c + + has intermediate product + + has intermediate + + + + + + + + + + + The intent is that the process branch of the causal property hierarchy is primary (causal relations hold between occurrents/processes), and that the material branch is defined in terms of the process branch + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + causal relation between entities + + + + + + + + + + + + + + A coral reef environment is determined by a particular coral reef + s determined by f if and only if s is a type of system, and f is a material entity that is part of s, such that f exerts a strong causal influence on the functioning of s, and the removal of f would cause the collapse of s. + The label for this relation is probably too general for its restricted use, where the domain is a system. It may be relabeled in future + + + determined by (system to material entity) + + + + determined by + + + + + + + + + inverse of determined by + + determines (material entity to system) + + + determines + + + + + + + + + + + + + + + + s 'determined by part of' w if and only if there exists some f such that (1) s 'determined by' f and (2) f part_of w, or f=w. + + + determined by part of + + + + + + + + + true + + + + + + + + + + + + + + + + + + + + + + + + + + x is transcribed from y if and only if x is synthesized from template y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + transcribed from + + + + + + + + + inverse of transcribed from + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + transcribed to + + + + + + + + + + + + + + + + + + + + + + + + + + x is the ribosomal translation of y if and only if a ribosome reads x through a series of triplet codon-amino acid adaptor activities (GO:0030533) and produces y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomal translation of + + + + + + + + + + + + + + + + + + + + + + + + + inverse of ribosomal translation of + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + ribosomally translates to + + + + + + + + + + A relation that holds between two entities that have the property of being sequences or having sequences. + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving cause and effect. + The domain and range of this relation include entities such as: information-bearing macromolecules such as DNA, or regions of these molecules; abstract information entities encoded as a linear sequence including text, abstract DNA sequences; Sequence features, entities that have a sequence or sequences. Note that these entities are not necessarily contiguous - for example, the mereological sum of exons on a genome of a particular gene. + + sequentially related to + + + + + + + + + Every UTR is adjacent to a CDS of the same transcript + Two consecutive DNA residues are sequentially adjacent + Two exons on a processed transcript that were previously connected by an intron are adjacent + x is sequentially adjacent to y iff x and y do not overlap and if there are no base units intervening between x and y + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + sequentially adjacent to + + + + + + + + + + + Every CDS has as a start sequence the start codon for that transcript + x has start sequence y if the start of x is identical to the start of y, and x has y as a subsequence + + started by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has start sequence + + + + + + + + + + inverse of has start sequence + + starts + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is start sequence of + + + + + + + + + + + Every CDS has as an end sequence the stop codon for that transcript (note this follows from the SO definition of CDS, in which stop codons are included) + x has end sequence y if the end of x is identical to the end of y, and x has y as a subsequence + + ended by + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has end sequence + + + + + + + + + + inverse of has end sequence + + ends + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + + is end sequence of + + + + + + + + + x is a consecutive sequence of y iff x has subsequence y, and all the parts of x are made of zero or more repetitions of y or sequences as the same type as y. + In the SO paper, this was defined as an instance-type relation + + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + is consecutive sequence of + + + + + + + + + + Human Shh and Mouse Shh are sequentially aligned, by cirtue of the fact that they derive from the same ancestral sequence. + x is sequentially aligned with if a significant portion bases of x and y correspond in terms of their base type and their relative ordering + + + is sequentially aligned with + + + + + + + + + + + The genomic exons of a transcript bound the sequence of the genomic introns of the same transcript (but the introns are not subsequences of the exons) + x bounds the sequence of y iff the upstream-most part of x is upstream of or coincident with the upstream-most part of y, and the downstream-most part of x is downstream of or coincident with the downstream-most part of y + + + bounds sequence of + + + + + + + + + + inverse of bounds sequence of + + + + is bound by sequence of + + + + + + + + + + + + + x has subsequence y iff all of the sequence parts of y are sequence parts of x + + contains + http://www.ncbi.nlm.nih.gov/pubmed/20226267 + + has subsequence + + + + + + + + + + + + inverse of has subsequence + + contained by + + + is subsequence of + + + + + + + + + + + + + + + x overlaps the sequence of y if and only if x has a subsequence z and z is a subsequence of y. + + + overlaps sequence of + + + + + + + + + + x does not overlap the sequence of y if and only if there is no z such that x has a subsequence z and z is a subsequence of y. + + disconnected from + + does not overlap sequence of + + + + + + + + + + inverse of downstream of sequence of + + + is upstream of sequence of + + + + + + + + + + + x is downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, or (2) x and y are sequence units, and x is either immediately downstream of y, or transitively downstream of y. + + + is downstream of sequence of + + + + + + + + + + A 3'UTR is immediately downstream of the sequence of the CDS from the same monocistronic transcript + x is immediately downstream of the sequence of y iff either (1) x and y have sequence units, and all units of x are downstream of all units of y, and x is sequentially adjacent to y, or (2) x and y are sequence units, in which case the immediately downstream relation is primitive and defined by context: for DNA bases, y would be adjacent and 5' to y + + + + is immediately downstream of sequence of + + + + + + + + + + A 5'UTR is immediately upstream of the sequence of the CDS from the same monocistronic transcript + inverse of immediately downstream of + + + is immediately upstream of sequence of + + + + + + + + + + + + + + Forelimb SubClassOf has_skeleton some 'Forelimb skeleton' + A relation between a segment or subdivision of an organism and the maximal subdivision of material entities that provides structural support for that segment or subdivision. + + has supporting framework + The skeleton of a structure may be a true skeleton (for example, the bony skeleton of a hand) or any kind of support framework (the hydrostatic skeleton of a sea star, the exoskeleton of an insect, the cytoskeleton of a cell). + has skeleton + + + + + + This should be to a more restricted class, but not the Uberon class may be too restricted since it is a composition-based definition of skeleton rather than functional. + + + + + + + + + + p results in the end of s if p results in a change of state in s whereby s either ceases to exist, or s becomes functionally impaired or s has its fate committed such that it is put on a path to be degraded. + + results in ending of + + + + + + + + + + + + + + x is a hyperparasite of y iff x is a parasite of a parasite of the target organism y + Note that parasite-of is a diret relationship, so hyperparasite-of is not considered a sub-relation, even though hyperparasitism can be considered a form of parasitism + + http://eol.org/schema/terms/hyperparasitoidOf + https://en.wikipedia.org/wiki/Hyperparasite + hyperparasitoid of + epiparasite of + + hyperparasite of + + + + + + + + + + + + + inverse of hyperparasite of + + has epiparasite + has hyperparasite + hyperparasitoidized by + + + hyperparasitized by + + + + + + + + + + http://en.wikipedia.org/wiki/Allelopathy + + allelopath of + http://eol.org/schema/terms/allelopathyYes + x is an allelopath of y iff xis an organism produces one or more biochemicals that influence the growth, survival, and reproduction of y + + + + + + + + + + + + pathogen of + + + + + + + + + + + has pathogen + + + + + + + + + inverse of is evidence for + + + + + x has evidence y iff , x is an information content entity, material entity or process, and y supports either the existence of x, or the truth value of x. + has evidence + + + + + + + + + + + + causally influenced by (entity-centric) + causally influenced by + + + + + + + + + + interaction relation helper property + + http://purl.obolibrary.org/obo/ro/docs/interaction-relations/ + + + + + + + + + + molecular interaction relation helper property + + + + + + + + + Holds between p and c when p is locomotion process and the outcome of this process is the change of location of c + + + + + + results in movement of + + + + + + + + + + + + + + + + + + + + + The entity or characteristic A is causally upstream of the entity or characteristic B, A having an effect on B. An entity corresponds to any biological type of entity as long as a mass is measurable. A characteristic corresponds to a particular specificity of an entity (e.g., phenotype, shape, size). + + + + causally influences (entity-centric) + causally influences + + + + + + + + + + + A relation that holds between elements of a musculoskeletal system or its analogs. + + Do not use this relation directly. It is ended as a grouping for a diverse set of relations, all involving the biomechanical processes. + biomechanically related to + + + + + + + + + m1 has_muscle_antagonist m2 iff m1 has_muscle_insertion s, m2 has_muscle_insection s, m1 acts in opposition to m2, and m2 is responsible for returning the structure to its initial position. + + Wikipedia:Antagonist_(muscle) + has muscle antagonist + + + + + + + + + + + inverse of branching part of + + + + has branching part + + + + + + + + + + + x is a conduit for y iff y overlaps through the lumen_of of x, and y has parts on either side of the lumen of x. + + UBERON:cjm + This relation holds between a thing with a 'conduit' (e.g. a bone foramen) and a 'conduee' (for example, a nerve) such that at the time the relationship holds, the conduee has two ends sticking out either end of the conduit. It should therefore note be used for objects that move through the conduit but whose spatial extent does not span the passage. For example, it would not be used for a mountain that contains a long tunnel through which trains pass. Nor would we use it for a digestive tract and objects such as food that pass through. + + conduit for + + + + + + + + + + x lumen_of y iff x is the space or substance that is part of y and does not cross any of the inner membranes or boundaries of y that is maximal with respect to the volume of the convex hull. + + + + lumen of + + + + + + + + + + s is luminal space of x iff s is lumen_of x and s is an immaterial entity + + + luminal space of + + + + + + + + + + A relation that holds between an attribute or a qualifier and another attribute. + + + This relation is intended to be used in combination with PATO, to be able to refine PATO quality classes using modifiers such as 'abnormal' and 'normal'. It has yet to be formally aligned into an ontological framework; it's not clear what the ontological status of the "modifiers" are. + + has modifier + + + + + + + + + + + + + participates in a biotic-biotic interaction with + + + + + + + + + + + + inverse of has skeleton + + + skeleton of + + + + + + + + + + p directly regulates q iff p is immediately causally upstream of q and p regulates q. + + + directly regulates (processual) + + + + + directly regulates + + + + + + + + + holds between x and y if and only if the time point at which x starts is equivalent to the time point at which y ends. Formally: iff α(x) = ω(y). + existence starts at end of + + + + + + + + + + + + + + gland SubClassOf 'has part structure that is capable of' some 'secretion by cell' + s 'has part structure that is capable of' p if and only if there exists some part x such that s 'has part' x and x 'capable of' p + + has part structure that is capable of + + + + + + + + + + p 'results in closure of' c if and only if p is a developmental process and p results in a state of c changing from open to closed. + results in closure of + + + + + + + + + p results in breakdown of c if and only if the execution of p leads to c no longer being present at the end of p + results in breakdown of + + + + + + + + + results in synthesis of + + + + + + + + + + + + + results in assembly of + + + + + + + + + p results in catabolism of c if and only if p is a catabolic process, and the execution of p results in c being broken into smaller parts with energy being released. + results in catabolism of + + + + + + + + + + results in disassembly of + + + + + + + + + + results in remodeling of + + + + + + + + + p results in organization of c iff p results in the assembly, arrangement of constituent parts, or disassembly of c + results in organization of + + + + + + + + + holds between x and y if and only if the time point at which x ends is equivalent to the time point at which y starts. Formally: iff ω(x) = α(y). + existence ends at start of + + + + + + + + + + + A relationship that holds between a material entity and a process in which causality is involved, with either the material entity or some part of the material entity exerting some influence over the process, or the process influencing some aspect of the material entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + + + causal relation between material entity and a process + + + + + + + + + + + + + pyrethroid -> growth + Holds between c and p if and only if c is capable of some activity a, and a regulates p. + + capable of regulating + + + + + + + + + + + + + Holds between c and p if and only if c is capable of some activity a, and a negatively regulates p. + + capable of negatively regulating + + + + + + + + + + + + + renin -> arteriolar smooth muscle contraction + Holds between c and p if and only if c is capable of some activity a, and a positively regulates p. + + capable of positively regulating + + + + + + + + + pazopanib -> pathological angiogenesis + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a inhibits p. + treats + + The entity c may be a molecular entity with a drug role, or it could be some other entity used in a therapeutic context, such as a hyperbaric chamber. + capable of inhibiting or preventing pathological process + + + + + treats + Usage of the term 'treats' applies when we believe there to be a an inhibitory relationship + + + + + + + + + benzene -> cancer [CHEBI] + Holds between a material entity c and a pathological process p if and only if c is capable of some activity a, where a negatively regulates p. + causes disease + + capable of upregulating or causing pathological process + + + + + + + + + c is a substance that treats d if c is a material entity (such as a small molecule or compound) and d is a pathological process, phenotype or disease, and c is capable of some activity that negative regulates or decreases the magnitude of d. + treats + + is substance that treats + + + + + + + + + + c is marker for d iff the presence or occurrence of d is correlated with the presence of occurrence of c, and the observation of c is used to infer the presence or occurrence of d. Note that this does not imply that c and d are in a direct causal relationship, as it may be the case that there is a third entity e that stands in a direct causal relationship with c and d. + May be ceded to OBI + is marker for + + + + + + + + + Inverse of 'causal agent in process' + + process has causal agent + + + + + + + + A relationship that holds between two entities, where the relationship holds based on the presence or absence of statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all involving cause and effect. + obsolete related via dependence to + true + + + + + + + + A relationship that holds between two entities, where the entities exhibit a statistical dependence relationship. The entities may be statistical variables, or they may be other kinds of entities such as diseases, chemical entities or processes. + Groups both positive and negative correlation + correlated with + + + + + + + + + An instance of a sequence similarity evidence (ECO:0000044) that uses a homologous sequence UniProtKB:P12345 as support. + A relationship between a piece of evidence and an entity that plays a role in supporting that evidence. + In the Gene Ontology association model, this corresponds to the With/From field + is evidence with support from + + + + + + + + + Inverse of is-model-of + has model + + + + + + + + Do not use this relation directly. It is a grouping relation. + related via evidence or inference to + + + + + + + + + + visits + https://github.com/oborel/obo-relations/issues/74 + + + + + + + + + visited by + + + + + + + + + + visits flowers of + + + + + + + + + has flowers visited by + + + + + + + + + + + lays eggs in + + + + + + + + + + has eggs laid in by + + + + + + + + + + https://github.com/jhpoelen/eol-globi-data/issues/143 + kills + + + + + + + + + is killed by + + + + + + + + + + p directly positively regulates q iff p is immediately causally upstream of q, and p positively regulates q. + + directly positively regulates (process to process) + + + + + directly positively regulates + https://wiki.geneontology.org/Directly_positively_regulates + + + + + + + + + + p directly negatively regulates q iff p is immediately causally upstream of q, and p negatively regulates q. + + directly negatively regulates (process to process) + + + + + directly negatively regulates + https://wiki.geneontology.org/Directly_negatively_regulates + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives on or in the integumental system of the host + + ectoparasite of + + + + + + + + + inverse of ectoparasite of + + has ectoparasite + + + + + + + + + + + A sub-relation of parasite-of in which the parasite lives inside the host, beneath the integumental system + lives inside of + endoparasite of + + + + + + + + + has endoparasite + + + + + + + + + + A sub-relation of parasite-of in which the parasite is partially an endoparasite and partially an ectoparasite + mesoparasite of + + + + + + + + + inverse of mesoparasite of + + has mesoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits the spaces between host cells. + + intercellular endoparasite of + + + + + + + + + inverse of intercellular endoparasite of + + has intercellular endoparasite + + + + + + + + + + A sub-relation of endoparasite-of in which the parasite inhabits host cells. + + intracellular endoparasite of + + + + + + + + + inverse of intracellular endoparasite of + + has intracellular endoparasite + + + + + + + + + + Two or more individuals sharing the same roost site (cave, mine, tree or tree hollow, animal burrow, leaf tent, rock crack, space in man-made structure, etc.). Individuals that are sharing a communal roost may be said to be co-roosting. The roost may be either a day roost where the individuals rest during daytime hours, or a night roost where individuals roost to feed, groom, or rest in between flights and/or foraging bouts. Communal roosting as thus defined is an umbrella term within which different specialized types -- which are not mutually exclusive -- may be recognized based on taxonomy and the temporal and spatial relationships of the individuals that are co-roosting. + + co-roosts with + + + + + + + + + + + + + + + + + + a produces b if some process that occurs_in a has_output b, where a and b are material entities. Examples: hybridoma cell line produces monoclonal antibody reagent; chondroblast produces avascular GAG-rich matrix. + + + Note that this definition doesn't quite distinguish the output of a transformation process from a production process, which is related to the identity/granularity issue. + produces + + + + + + + + + + + a produced_by b iff some process that occurs_in b has_output a. + + + produced by + + + + + + + + + + + Holds between entity A (a transcription factor) and a nucleic acid B if and only if A down-regulates the expression of B. The nucleic acid can be a gene or an mRNA. + + represses expression of + + + + + + + + + + + Holds between entity A (a transcription factor) and nucleic acid B if and only if A up-regulates the expression of B. The nucleic acid can be a gene or mRNA. + + increases expression of + + + + + + + + + + A relation between a biological, experimental, or computational artifact and an entity it is used to study, in virtue of its replicating or approximating features of the studied entity. + + is used to study + The primary use case for this relation was to link a biological model system such as a cell line or model organism to a disease it is used to investigate, in virtue of the model system exhibiting features similar to that of the disease of interest. But the relation is defined more broadly to support other use cases, such as linking genes in which alterations are made to create model systems to the condition the system is used to interrogate, or computational models to real-world phenomena they are defined to simulate. + has role in modeling + + + + + + + + + The genetic variant 'NM_007294.3(BRCA1):c.110C>A (p.Thr37Lys)' casues or contributes to the disease 'familial breast-ovarian cancer'. + +An environment of exposure to arsenic causes or contributes to the phenotype of patchy skin hyperpigmentation, and the disease 'skin cancer'. + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal or contributing role that influences the condition. + Note that relationships of phenotypes to organisms/strains that bear them, or diseases they are manifest in, should continue to use RO:0002200 ! 'has phenotype' and RO:0002201 ! 'phenotype of'. + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + causes or contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some causal role for the condition. + causes condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity has some contributing role that influences the condition. + contributes to condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the severity with which a condition manifests in an individual. + contributes to expressivity of condition + contributes to severity of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the entity influences the frequency of the condition in a population. + contributes to penetrance of condition + contributes to frequency of condition + + + + + + + + + A relationship between an entity (e.g. a genotype, genetic variation, chemical, or environmental exposure) and a condition (a phenotype or disease), where the presence of the entity reduces or eliminates some or all aspects of the condition. + is preventative for condition + Genetic variations can span any level of granularity from a full genome or genotype to an individual gene or sequence alteration. These variations can be represented at the physical level (DNA/RNA macromolecules or their parts, as in the ChEBI ontology and Molecular Sequence Ontology) or at the abstract level (generically dependent continuant sequence features that are carried by these macromolecules, as in the Sequence Ontology and Genotype Ontology). The causal relations in this hierarchy can be used in linking either physical or abstract genetic variations to phenotypes or diseases they cause or contribute to. + +Environmental exposures include those imposed by natural environments, experimentally applied conditions, or clinical interventions. + ameliorates condition + + + + + + + + + A relationship between an entity and a condition (phenotype or disease) with which it exhibits a statistical dependence relationship. + correlated with condition + + + + + + + + + A relationship between an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) and a condition (a phenotype or disease), where the presence of the entity worsens some or all aspects of the condition. + exacerbates condition + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are reduced or eliminated by the presence of the entity. + condition ameliorated by + + + + + + + + + A relationship between a condition (a phenotype or disease) and an entity (e.g. a chemical, environmental exposure, or some form of genetic variation) where some or all aspects of the condition are worsened by the presence of the entity. + condition exacerbated by + + + + + + + + + + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:38:20Z + condition has genetic basis in + + + + + + + + + + + 2017-11-05T02:45:20Z + has material basis in gain of function germline mutation in + + + + + + + + + + + + + 2017-11-05T02:45:37Z + has material basis in loss of function germline mutation in + + + + + + + + + + + 2017-11-05T02:45:54Z + has material basis in germline mutation in + + + + + + + + + + + + 2017-11-05T02:46:07Z + has material basis in somatic mutation in + + + + + + + + + + + + 2017-11-05T02:46:26Z + has major susceptibility factor + + + + + + + + + + + 2017-11-05T02:46:57Z + has partial material basis in germline mutation in + + + + + + + + + p 'has primary input ot output' c iff either (a) p 'has primary input' c or (b) p 'has primary output' c. + + 2018-12-13T11:26:17Z + + has primary input or output + + + + + + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + 2018-12-13T11:26:32Z + + has primary output + + + + + p has primary output c if (a) p has output c and (b) the goal of process is to modify, produce, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + 2018-12-13T11:26:56Z + + has primary input + + + + + p has primary input c if (a) p has input c and (b) the goal of process is to modify, consume, or transform c. + + GOC:dph + GOC:kva + GOC:pt + PMID:27812932 + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a more specific relations + + 2017-11-05T02:53:08Z + is genetic basis for condition + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell provides a new function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:55:51Z + is causal gain of function germline mutation of in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene in a germ cell impairs the function of the corresponding product and that is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:06Z + is causal loss of function germline mutation of in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition and that can be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:56:40Z + is causal germline mutation in + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene is sufficient to produce the condition but that cannot be passed on to offspring[modified from orphanet]. + + 2017-11-05T02:57:07Z + is causal somatic mutation in + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene predisposes to the development of a condition and that is necessary but not sufficient to develop the condition[modified from orphanet]. + + 2017-11-05T02:57:43Z + is causal susceptibility factor for + + + + + + + + + + + Relates a gene to condition, such that a mutation in this gene partially contributes to the presentation of this condition[modified from orphanet]. + + 2017-11-05T02:58:43Z + is causal germline mutation partially giving rise to + + + + + + + + + + + + 2017-11-05T03:20:01Z + realizable has basis in + + + + + + + + + + 2017-11-05T03:20:29Z + is basis for realizable + + + + + + + + + + + + 2017-11-05T03:26:47Z + disease has basis in + + + + + + + + + + A relation that holds between the disease and a material entity where the physical basis of the disease is a disorder of that material entity that affects its function. + disease has basis in dysfunction of (disease to anatomical structure) + + 2017-11-05T03:29:32Z + disease has basis in dysfunction of + + + + + + + + + + A relation that holds between the disease and a process where the physical basis of the disease disrupts execution of a key biological process. + disease has basis in disruption of (disease to process) + + 2017-11-05T03:37:52Z + disease has basis in disruption of + + + + + + + + + + + + + + + + + + + A relation that holds between the disease and a feature (a phenotype or other disease) where the physical basis of the disease is the feature. + + 2017-11-05T03:46:07Z + disease has basis in feature + + + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, all of which have a disease as the subject. + + 2017-11-05T03:50:54Z + causal relationship with disease as subject + + + + + + + + + + + + + + + + + + + A relationship between a disease and a process where the disease process disrupts the execution of the process. + disease causes disruption of (disease to process) + + 2017-11-05T03:51:09Z + disease causes disruption of + + + + + + + + + + + + + + + disease causes dysfunction of (disease to anatomical entity) + + 2017-11-05T03:58:20Z + disease causes dysfunction of + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease has one or more features that are located in that entity. + TODO: complete range axiom once more of CARO has been mireoted in to this ontology + This relation is intentionally very general, and covers isolated diseases, where the disease is realized as a process occurring in the location, and syndromic diseases, where one or more of the features may be present in that location. Thus any given disease can have multiple locations in the sense defined here. + + 2017-11-05T04:06:02Z + disease has location + + + + + + + + + + + + + + + + + + + A relationship between a disease and an anatomical entity where the disease is triggered by an inflammatory response to stimuli occurring in the anatomical entity + + 2017-12-26T19:37:31Z + disease has inflammation site + + + + + + + + + + + + + + + A relationship between a realizable entity R (e.g. function or disposition) and a material entity M where R is realized in response to a process that has an input stimulus of M. + + 2017-12-26T19:45:49Z + realized in response to stimulus + + + + + + + + + + + + + + + + + + A relationship between a disease and some feature of that disease, where the feature is either a phenotype or an isolated disease. + + 2017-12-26T19:50:53Z + disease has feature + + + + + + + + + + A relationship between a disease and an anatomical structure where the material basis of the disease is some pathological change in the structure. Anatomical structure includes cellular and sub-cellular entities, such as chromosome and organelles. + + 2017-12-26T19:58:44Z + disease arises from alteration in structure + + + + + + + + + + + + + Holds between an entity and an process P where the entity enables some larger compound process, and that larger process has-part P. + + 2018-01-25T23:20:13Z + enables subfunction + + + + + + + + + + + + + + + 2018-01-26T23:49:30Z + + acts upstream of or within, positive effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_positive_effect + + + + + + + + + + + + + + + 2018-01-26T23:49:51Z + + acts upstream of or within, negative effect + https://wiki.geneontology.org/Acts_upstream_of_or_within,_negative_effect + + + + + + + + + + + + + + c 'acts upstream of, positive effect' p if c is enables f, and f is causally upstream of p, and the direction of f is positive + + + 2018-01-26T23:53:14Z + + acts upstream of, positive effect + https://wiki.geneontology.org/Acts_upstream_of,_positive_effect + + + + + + + + + + + + + + c 'acts upstream of, negative effect' p if c is enables f, and f is causally upstream of p, and the direction of f is negative + + + 2018-01-26T23:53:22Z + + acts upstream of, negative effect + https://wiki.geneontology.org/Acts_upstream_of,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:05Z + causally upstream of or within, negative effect + https://wiki.geneontology.org/Causally_upstream_of_or_within,_negative_effect + + + + + + + + + + + 2018-03-13T23:55:19Z + causally upstream of or within, positive effect + + + + + + + + + DEPRECATED This relation is similar to but different in important respects to the characteristic-of relation. See comments on that relation for more information. + DEPRECATED inheres in + true + + + + + + + + DEPRECATED bearer of + true + + + + + + + + A relation between two entities, in which one of the entities is any natural or human-influenced factor that directly or indirectly causes a change in the other entity. + + has driver + + + + + + + + + + A relation between an entity and a disease of a host, in which the entity is not part of the host itself, and the condition results in pathological processes. + + has disease driver + + + + + + + + + + + An interaction relationship wherein a plant or algae is living on the outside surface of another plant. + https://en.wikipedia.org/wiki/Epiphyte + epiphyte of + + + + + + + + + inverse of epiphyte of + + has epiphyte + + + + + + + + + + A sub-relation of parasite of in which a parasite steals resources from another organism, usually food or nest material + https://en.wikipedia.org/wiki/Kleptoparasitism + kleptoparasite of + + + + + + + + + inverse of kleptoparasite of + + kleptoparasitized by + + + + + + + + + + + An interaction relationship wherein one organism creates a structure or environment that is lived in by another organism. + creates habitat for + + + + + + + + + + + + An interaction relationship describing organisms that often occur together at the same time and space or in the same environment. + ecologically co-occurs with + + + + + + + + + + An interaction relationship in which organism a lays eggs on the outside surface of organism b. Organism b is neither helped nor harmed in the process of egg laying or incubation. + lays eggs on + + + + + + + + + inverse of lays eggs on + has eggs laid on by + + + + + + + + + + + Flying foxes (Pteropus giganteus) has_roost banyan tree (Ficus benghalensis) + x 'has roost' y if and only if: x is an organism, y is a habitat, and y can support rest behaviors x. + + 2023-01-18T14:28:21Z + + A population of xs will possess adaptations (either evolved naturally or via artifical selection) which permit it to rest in y. + has roost + + + + + + + + + + + muffin 'has substance added' some 'baking soda' + + "has substance added" is a relation existing between a (physical) entity and a substance in which the entity has had the substance added to it at some point in time. + The relation X 'has substance added' some Y doesn't imply that X still has Y in any detectable fashion subsequent to the addition. Water in dehydrated food or ice cubes are examples, as is food that undergoes chemical transformation. This definition should encompass recipe ingredients. + + has substance added + + + + + + + + + + + 'egg white' 'has substance removed' some 'egg yolk' + + "has substance removed" is a relation existing between two physical entities in which the first entity has had the second entity (a substance) removed from it at some point in time. + + has substance removed + + + + + + + + + + + sardines 'immersed in' some 'oil and mustard' + + "immersed in" is a relation between a (physical) entity and a fluid substance in which the entity is wholely or substantially surrounded by the substance. + + immersed in + + + + + + + + + + sardine has consumer some homo sapiens + + 'has consumer' is a relation between a material entity and an organism in which the former can normally be digested or otherwise absorbed by the latter without immediate or persistent ill effect. + + has consumer + + + + + + + + + + bread 'has primary substance added' some 'flour' + + 'has primary substance added' indicates that an entity has had the given substance added to it in a proportion greater than any other added substance. + + has primary substance added + + + + + + + + + + + + + + + A drought sensitivity trait that inheres in a whole plant is realized in a systemic response process in response to exposure to drought conditions. + An inflammatory disease that is realized in response to an inflammatory process occurring in the gut (which is itself the realization of a process realized in response to harmful stimuli in the mucosal lining of th gut) + Environmental polymorphism in butterflies: These butterflies have a 'responsivity to day length trait' that is realized in response to the duration of the day, and is realized in developmental processes that lead to increased or decreased pigmentation in the adult morph. + r 'realized in response to' s iff, r is a realizable (e.g. a plant trait such as responsivity to drought), s is an environmental stimulus (a process), and s directly causes the realization of r. + + + + + triggered by process + realized in response to + https://docs.google.com/document/d/1KWhZxVBhIPkV6_daHta0h6UyHbjY2eIrnON1WIRGgdY/edit + + + + + triggered by process + + + + + + + + + + + + + + + + Genetic information generically depend on molecules of DNA. + The novel *War and Peace* generically depends on this copy of the novel. + The pattern shared by chess boards generically depends on any chess board. + The score of a symphony g-depends on a copy of the score. + This pdf file generically depends on this server. + A generically dependent continuant *b* generically depends on an independent continuant *c* at time *t* means: there inheres in *c* a specifically deendent continuant which concretizes *b* at *t*. + [072-ISO] + g-depends on + generically depends on + + + + + + + + + + + + + + Molecules of DNA are carriers of genetic information. + This copy of *War and Peace* is carrier of the novel written by Tolstoy. + This hard drive is carrier of these data items. + *b* is carrier of *c* at time *t* if and only if *c* *g-depends on* *b* at *t* + [072-ISO] + is carrier of + + + + + + + + + + + The entity A has an activity that regulates an activity of the entity B. For example, A and B are gene products where the catalytic activity of A regulates the kinase activity of B. + + regulates activity of + + + + + + + + + + + The entity A has an activity that regulates the quantity or abundance or concentration of the entity B. + + regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B but A has an activity that regulates an activity performed by B. + + indirectly regulates activity of + + + + + + + + + + + The entity A has an activity that down-regulates by repression the quantity of B. The down-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly decreases by repression the quantity of protein B (gene product) if and only if A negatively regulates the process of transcription or translation of a nucleic acid element that produces B. + + decreases by repression quantity of + + + + + + + + + + + The entity A has an activity that up-regulates by expression the quantity of B. The up-regulation is due to A having an effect on an intermediate entity (typically a DNA or mRNA element) which can produce B. + +For example, protein A (transcription factor) indirectly increases by expression the quantity of protein B (gene product) if and only if A positively regulates the process of transcription or translation of a nucleic acid element that produces B. + + increases by expression quantity of + + + + + + + + + + + The entity A has an activity that directly positively regulates the quantity of B. + + directly positively regulates quantity of + + + + + + + + + + + The entity A has an activity that directly negatively regulates the quantity of B. + + directly negatively regulates quantity of + + + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that up-regulates an activity performed by B. + + indirectly activates + indirectly positively regulates activity of + + + + + + + + + + + AKT1 destabilizes quantity of FOXO (interaction from Signor database: SIGNOR-252844) + An entity A directly interacts with B and A has an activity that decreases the amount of an entity B by degradating it. + + destabilizes quantity of + + + + + + + + + + + AKT1 stabilizes quantity of XIAP (interaction from Signor database: SIGNOR-119488) + An entity A physically interacts with B and A has an activity that increases the amount of an entity B by stabilizing it. + + stabilizes quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B and has an activity that down-regulates an activity performed by B. + + indirectly inhibits + indirectly negatively regulates activity of + + + + + + + + + The entity A, immediately upstream of B, has an activity that directly regulates the quantity of B. + + directly regulates quantity of + + + + + + + + + The entity A is not immediately upstream of the entity B, but A has an activity that regulates the quantity or abundance or concentration of B. + + indirectly regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that down-regulates the quantity or abundance or concentration of B. + + indirectly negatively regulates quantity of + + + + + + + + + The entity A does not physically interact with the entity B, and A has an activity that up-regulates the quantity or abundance or concentration of B. + + indirectly positively regulates quantity of + + + + + + + + + + a relation between a process and a continuant, in which the process is regulated by the small molecule continuant + + 2020-04-22T20:27:26Z + has small molecule regulator + + + + + + + + + + a relation between a process and a continuant, in which the process is activated by the small molecule continuant + + 2020-04-22T20:28:37Z + has small molecule activator + + + + + + + + + + a relation between a process and a continuant, in which the process is inhibited by the small molecule continuant + + 2020-04-22T20:28:54Z + has small molecule inhibitor + + + + + + + + + p acts on population of c iff c' is a collection, has members of type c, and p has participant c + + 2020-06-08T17:21:33Z + + + + acts on population of + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that regulates the process + + 2020-06-24T13:15:17Z + is small molecule regulator of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that activates the process + + 2020-06-24T13:15:26Z + is small molecule activator of + https://wiki.geneontology.org/Is_small_molecule_activator_of + + + + + + + + + + a relation between a continuant and a process, in which the continuant is a small molecule that inhibits the process + + 2020-06-24T13:15:35Z + is small molecule inhibitor of + https://wiki.geneontology.org/Is_small_molecule_inhibitor_of + + + + + + + + + The relationship that links anatomical entities with a process that results in the adhesion of two or more entities via the non-covalent interaction of molecules expressed in, located in, and/or adjacent to, those entities. + + 2020-08-27T08:13:59Z + results in adhesion of + + + + + + + + + + 2021-02-26T07:28:29Z + + + + results in fusion of + + + + + + + + + p is constitutively upstream of q iff p is causally upstream of q, p is required for execution of q or a part of q, and the execution of p is approximately constant. + + 2022-09-26T06:01:01Z + + + constitutively upstream of + https://wiki.geneontology.org/Constitutively_upstream_of + + + + + + + + + p removes input for q iff p is causally upstream of q, there exists some c such that p has_input c and q has_input c, p reduces the levels of c, and c is rate limiting for execution of q. + + 2022-09-26T06:06:20Z + + + removes input for + https://wiki.geneontology.org/Removes_input_for + + + + + + + + + p is indirectly causally upstream of q iff p is causally upstream of q and there exists some process r such that p is causally upstream of r and r is causally upstream of q. + + 2022-09-26T06:07:17Z + indirectly causally upstream of + + + + + + + + + + p indirectly regulates q iff p is indirectly causally upstream of q and p regulates q. + + 2022-09-26T06:08:01Z + indirectly regulates + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses in that region. + + 2020-07-17T09:26:52Z + has synaptic input or output in + has synaptic IO in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses in that region. + + 2020-07-17T09:42:23Z + receives synaptic input in region + + + + + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of output synapses in that region. + + 2020-07-17T09:45:06Z + sends synaptic output to region + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input and/or output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:52:19Z + has synaptic IO throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number of input synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:55:36Z + receives synaptic input throughout + + + + + + + + + + A relationship between a neuron and a region, where the neuron has a functionally relevant number output synapses distributed throughout that region (rather than confined to a subregion). + + 2020-07-17T09:57:27Z + sends synaptic output throughout + + + + + + + + + + + + + + Relation between a sensory neuron and some structure in which it receives sensory input via a sensory dendrite. + + 2020-07-20T12:10:09Z + has sensory dendrite location + has sensory terminal in + has sensory terminal location + has sensory dendrite in + + + + + + + + + + A relationship between an anatomical structure (including cells) and a neuron that has a functionally relevant number of chemical synapses to it. + + 2021-05-26T08:40:18Z + receives synaptic input from neuron + + + + + + + + + A relationship between a neuron and a cell that it has a functionally relevant number of chemical synapses to. + + 2021-05-26T08:41:07Z + Not restricting range to 'cell' - object may be a muscle containing a cell targeted by the neuron. + sends synaptic output to cell + + + + + + + + + A relationship between a disease and an infectious agent where the material basis of the disease is an infection with some infectious agent. + + disease has infectious agent + + + + + + + + + + + + + + transcriptomically defined cell type X equivalent to ‘cell’ and (has_exemplar_data value [transcriptomic profile data]) + A relation between a material entity and some data in which the data is taken as exemplifying the material entity. + C has_exemplar_data y iff x is an instance of C and y is data about x that is taken as exemplifying of C. + + This relation is not meant to capture the relation between occurrents and data. + has exemplar data + + + + + + + + + + exemplar data of + + + + + + + + + + A relation between a group and another group it is part of but does not fully constitute. + X subcluster_of Y iff: X and Y are clusters/groups; X != Y; all members of X are also members of Y. + + This is used specifically for sets whose members are specified by some set-forming operator (method of grouping) such as clustering analyses in single cell transcriptomics. + subcluster of + + + + + + + + + 'Lamp5-like Egln3_1 primary motor cortex GABAergic interneuron (Mus musculus)' subClass_of: has_characterizing_marker_set some 'NS forest marker set of Lamp5-like Egln3_1 MOp (Mouse).'; NS forest marker set of Lamp5-like Egln3_1 SubClass_of: ('has part' some 'Mouse Fbn2') and ('has part' some 'Mouse Chrna7') and ('has part' some 'Mouse Fam19a1'). + transcriptomically defined cell type X subClass_of: (has_characterizing_marker_set some S1); S1 has_part some gene 1, S1 has_part some gene 2, S1 has_part some gene 3. + A relation that applies between a cell type and a set of markers that can be used to uniquely identify that cell type. + C has_characterizing_marker_set y iff: C is a cell type and y is a collection of genes or proteins whose expression is sufficient to distinguish cell type C from most or all other cell types. + This relation is not meant for cases where set of genes/proteins are only useful as markers in some specific context - e.g. in some specific location. In these cases it is recommended to make a more specific cell class restricted to the relevant context. + + has marker gene combination + has marker signature set + has characterizing marker set + + + + + + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + different in magnitude relative to + + + + + q1 different_in_magnitude_relative_to q2 if and only if magnitude(q1) NOT =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'increased strength', relative to the parent type, 'strength'. + increased in magnitude relative to + + + + + q1 increased_in_magnitude_relative_to q2 if and only if magnitude(q1) > magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + This relation is used to determine the 'directionality' of relative qualities such as 'decreased strength', relative to the parent type, 'strength'. + decreased in magnitude relative to + + + + + q1 decreased_in_magnitude_relative_to q2 if and only if magnitude(q1) < magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + similar in magnitude relative to + + + + + q1 similar_in_magnitude_relative_to q2 if and only if magnitude(q1) =~ magnitude(q2). Here, magnitude(q) is a function that maps a quality to a unit-invariant scale. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + has relative magnitude + + + + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + Example: a spherical object has the quality of being spherical, and the spherical quality has_cross_section round. + has cross section + + + + + s3 has_cross_section s3 if and only if : there exists some 2d plane that intersects the bearer of s3, and the impression of s3 upon that plane has shape quality s2. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + There are frequently two ways to state the same thing: we can say 'spermatocyte lacks asters' or 'asters absent from spermatocyte'. In this case the quality is 'lacking all parts of type' - it is a (relational) quality of the spermatocyte, and it is with respect to instances of 'aster'. One of the popular requirements of PATO is that it continue to support 'absent', so we need to relate statements which use this quality to the 'lacking all parts of type' quality. + reciprocal of + + + + + q1 reciprocal_of q2 if and only if : q1 and q2 are relational qualities and a phenotype e q1 e2 mutually implies a phenotype e2 q2 e. + https://orcid.org/0000-0002-6601-2165 + + + + + + + + + + 'Ly-76 high positive erythrocyte' equivalent to 'enucleate erythrocyte' and (has_high_plasma_membrane_amount some 'lymphocyte antigen 76 (mouse)') + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + + + has high plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a high number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + + + 'DN2b thymocyte' equivalent to 'DN2 thymocyte' and (has_low_plasma_membrane_amount some 'mast/stem cell growth factor receptor') + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + + + has low plasma membrane amount + + + + + A relation between a cell and molecule or complex such that every instance of the cell has a low number of instances of that molecule expressed on the cell surface. + PMID:19243617 + + + + + + + + Do not use this relation directly. It is intended as a grouping for a set of relations regarding presentation of phenotypes and disease. + + 2021-11-05T17:30:14Z + has phenotype or disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + A relationship that holds between an organism and a disease. Here a disease is construed broadly as a disposition to undergo pathological processes that exists in an organism because of one or more disorders in that organism. + + 2021-11-05T17:30:44Z + has disease + https://github.com/oborel/obo-relations/issues/478 + + + + + + + + + X has exposure medium Y if X is an exposure event (process), Y is a material entity, and the stimulus for X is transmitted or carried in Y. + ExO:0000083 + + 2021-12-14T20:41:45Z + has exposure medium + + + + + + + + + + + + A diagnostic testing device utilizes a specimen. + X device utilizes material Y means X and Y are material entities, and X is capable of some process P that has input Y. + + + A diagnostic testing device utilizes a specimen means that the diagnostic testing device is capable of an assay, and this assay a specimen as its input. + See github ticket https://github.com/oborel/obo-relations/issues/497 + 2021-11-08T12:00:00Z + utilizes + device utilizes material + + + + + + + + + + A relation between entities in which one increases or decreases as the other does the same. + directly correlated with + + positively correlated with + + + + + + + + + + + A relation between entities in which one increases as the other decreases. + inversely correlated with + + negatively correlated with + + + + + + + + + Helper relation for OWL definition of RO:0018002 myristoylates + + is myristoyltransferase activity + + + + + + + + + + + + + + + A molecularly-interacts-with relationship between two entities, where the subject catalyzes a myristoylation activity that takes the object as input + + + myristoylates + + + + + + + + inverse of myristoylates + + myristoylated by + + + + + + + + + mibolerone (CHEBI:34849) is agonist of androgen receptor (PR:P10275) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor activates some activity of the receptor + + is agonist of + + + + + + + + + + pimavanserin (CHEBI:133017) is inverse agonist of HTR2A (PR:P28223) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor inhibits some activity of the receptor to below basal level + + is inverse agonist of + + + + + + + + + + tretinoin (CHEBI:15367) is antagonist of Nuclear receptor ROR-beta (PR:Q92753) + a relation between a ligand (material entity) and a receptor (material entity) that implies the binding of the ligand to the receptor reduces some activity of the receptor to basal level + + is antagonist of + + + + + + + + + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a chemical. + + chemical relationship + + + + + + + + + + pyruvate anion (CHEBI:15361) is the conjugate base of the neutral pyruvic acid (CHEBI:32816) + A is a direct conjugate base of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by receiving a particular proton transforms it into B. + + + is direct conjugate base of + + + + + + + + + + neutral pyruvic acid (CHEBI:32816) is the conjugate acid of the pyruvate anion (CHEBI:15361) + A is a direct conjugate acid of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing a particular proton transforms it into B. + + + is direct conjugate acid of + + + + + + + + + + + + (E)-cinnamoyl-CoA(4-) (CHEBI:57252) is a deprotonated form (E)-cinnamoyl-CoA (CHEBI:10956), which involves removing four protons. + A is a deprotonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Base (i.e., can receive a proton) and by adding some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_base_of + is deprotonated form of + + + + + + + + + + + (E)-cinnamoyl-CoA (CHEBI:10956) is a protonated form of (E)-cinnamoyl-CoA(4-) (CHEBI:57252), which involves adding four protons. + A is a protonated form of B if and only if A is chemical entity that is a Brønsted–Lowry Acid (i.e., can give up a proton) and by removing some nonzero number of protons transforms it into B. + +This is a transitive relationship and follows this design pattern: https://oborel.github.io/obo-relations/direct-and-indirect-relations. + + obo:chebi#is_conjugate_acid_of + is protonated form of + + + + + + + + + + + phenol (CHEBI:15882) and aniline (CHEBI:17296) are matched molecular pairs because they differ by one chemical transformation i.e., the replacement of aryl primary amine with aryl primary alcohol. + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + 2023-02-28T18:53:32Z + is MMP with + is matched molecular pair with + is matched small molecular pair with + + + + + A and B are a matched small molecular pair (MMP) if their chemical structures define by a single, relatively small, well-defined structural modification. + +While this is normally called "matched molecular pair" in the cheminformatics literaturel, it is labeled as "matched small molecular pair" so as to reduce confusion with peptides and other macromolecules, which are also referenced as "molecules" in some contexts. + +This relationship is symmetric, meaning if A is a MMP with B iff B is a MMP with A. + +This relationship is not transitive, meaning that A is a MMP with B and B is a MMP with C, then A is not necessarily an MMP with C. + + + + + + + + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + Two chemicals are tautomers if they can be readily interconverted. + +This commonly refers to prototropy in which a hydrogen's position is changed, such as between ketones and enols. This is also often observed in heterocyclic rings, e.g., ones containing nitrogens and/or have aryl functional groups containing heteroatoms. + + 2023-03-18T23:49:31Z + obo:chebi#is_tautomer_of + is desmotrope of + is tautomer of + + + + + + 3-carboxy-3-mercaptopropanoate (CHEBI:38707) is tautomer of 1,2-dicarboxyethanethiolate (CHEBI:38709) because 3-carboxy-3-mercaptopropanoate is deprotonated on the carboxylic acid whereas 1,2-dicarboxyethanethiolate is deprotonated on the secondary thiol. + + + + + + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + Group A is a substituent group from Chemical B if A represents the functional part of A and includes information about where it is connected. A is not itself a chemical with a fully formed chemical graph, but is rather a partial graph with one or more connection points that can be used to attach to another chemical graph, typically as a functionalization. + + 2023-03-18T23:49:31Z + obo:chebi#is_substituent_group_from + is substitutent group from + + + + + + carboxylatoacetyl group (CHEBI:58957) is substituent group from malonate(1-) (CHEBI:30795) + + + + + + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + Chemical A has functional parent Chemical B if there is chemical transformation through which chemical B can be produced from chemical A. + +For example, the relationship between a salt and a freebased compound is a "has functional parent" relationship. + + 2023-03-18T23:49:31Z + obo:chebi#has_functional_parent + has functional parent + + + + + + hydrocortamate hydrochloride (CHEBI:50854) has parent hydride hydrocortamate (CHEBI:50851) + + + + + + + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + Chemicals A and B are enantiomers if they share the same molecular graph except the change of the configuration of substituents around exactly one chiral center. + +A chemical with no chiral centers can not have an enantiomer. A chemical with multiple chiral centers can have multiple enantiomers, but its enantiomers are not themselves enantiomers (they are diastereomers). + + 2023-03-18T23:49:31Z + obo:chebi#is_enantiomer_of + is optical isomer of + is enantiomer of + + + + + + dexmedetomidine hydrochloride (CHEBI:31472) is enantiomer of levomedetomidine hydrochloride (CHEBI:48557) because the stereochemistry of the central chiral carbon is swapped. + + + + + + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + Chemical A has parent hydride Chemical B if there exists a molecular graphical transformation where functional groups on A are replaced with hydrogens in order to yield B. + + 2023-03-18T23:49:31Z + obo:chebi#has_parent_hydride + has parent hydride + + + + + + pyranine (CHEBI:52083) has parent hydride pyrene (CHEBI:39106). Pyrene is molecule with four fused benzene rings, whereas pyranine has the same core ring structure with additional sulfates. + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) regulates characteristic (C) iff: P results in the existence of C OR affects the intensity or magnitude of C. + + regulates characteristic + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) positively regulates characteristic (C) iff: P results in an increase in the intensity or magnitude of C. + + positively regulates characteristic + + + + + + + + + + + + + + + + + A relationship that holds between a process and a characteristic in which process (P) negatively regulates characteristic (C) iff: P results in a decrease in the intensity or magnitude of C. + + negatively regulates characteristic + + + + + + + + + Relates a gene to condition, such that a variation in this gene predisposes to the development of a condition. + + confers susceptibility to condition + + + + + + + + This relation groups relations between diseases and any other kind of entity. + Do not use this relation directly. It is intended as a grouping for a diverse set of relations, in which the subject or object is a disease. + + 2018-09-26T00:00:32Z + disease relationship + + + + + + + + + p has anatomical participant c iff p has participant c, and c is an anatomical entity + + 2018-09-26T01:08:58Z + results in changes to anatomical or cellular structure + + + + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + TODO: Add homeomorphy axiom + + + + + ECO:0000041 + SO:similar_to + sameness + similar to + correspondence + resemblance + in similarity relationship with + + + + + + Relation between biological objects that resemble or are related to each other sufficiently to warrant a comparison. + + BGEE:curator + + + + + correspondence + + + + + + + + + + + + + Similarity that results from common evolutionary origin. + + + homologous to + This broad definition encompasses all the working definitions proposed so far in the literature. + in homology relationship with + + + + + + Similarity that results from common evolutionary origin. + + + + + + + + + + + + + + Similarity that results from independent evolution. + + + homoplasous to + analogy + in homoplasy relationship with + + + + + + Similarity that results from independent evolution. + + + + + + + + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + ECO:0000075 + homocracous to + Homology and homocracy are not mutually exclusive. The homology relationships of patterning genes may be unresolved and thus may include orthologues and paralogues. + in homocracy relationship with + + + + + + Similarity that is characterized by the organization of anatomical structures through the expression of homologous or identical patterning genes. + + + + + + + + + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + analogy + Convergence usually implies a notion of adaptation. + in convergence relationship with + + + + + + Homoplasy that involves different underlying mechanisms or structures. + + + + + + + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + parallel evolution + Can be applied for features present in closely related organisms but not present continuously in all the members of the lineage. + in parallelism relationship with + + + + + + Homoplasy that involves homologous underlying mechanisms or structures. + + + + + + + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + ECO:0000071 + MI:2163 + structural homologous to + idealistic homology + in structural homology relationship with + + + + + + Homology that is defined by similarity with regard to selected structural parameters. + + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by common descent. + + + homology + ECO:0000080 + RO_proposed_relation:homologous_to + SO:0000330 + SO:0000853 + SO:0000857 + SO:homologous_to + TAO:homologous_to + cladistic homology + historical homologous to + phylogenetic homology + taxic homology + true homology + in historical homology relationship with + + + + + + Homology that is defined by common descent. + + + ISBN:0123195837 + + + + + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + ECO:0000067 + biological homologous to + transformational homology + Applicable only to morphology. A certain degree of ambiguity is accepted between biological homology and parallelism. + in biological homology relationship with + + + + + + Homology that is defined by sharing of a set of developmental constraints, caused by locally acting self-regulatory mechanisms of differentiation, between individualized parts of the phenotype. + + + + + + + + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + atavism + rudiment + reversion + in reversal relationship with + + + + + + Homoplasy that involves phenotypes similar to those seen in ancestors within the lineage. + + + + + + + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + + MeSH:Synteny + SO:0000860 + SO:0005858 + syntenic homologous to + synteny + in syntenic homology relationship with + + + + + + Structural homology that is detected by similarity in content and organization between chromosomes. + + MeSH:Synteny + + + + + + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + SO:0000854 + SO:0000859 + SO:paralogous_to + paralogous to + in paralogy relationship with + + + + + + Historical homology that involves genes that diverged after a duplication event. + + + + + + + + + + + + + + + Paralogy that involves sets of syntenic blocks. + + + syntenic paralogous to + duplicon + paralogon + in syntenic paralogy relationship with + + + + + + Paralogy that involves sets of syntenic blocks. + + + DOI:10.1002/1097-010X(20001215)288:4<345::AID-JEZ7>3.0.CO;2-Y + + + + + + + + + + Syntenic homology that involves chromosomes of different species. + + + syntenic orthologous to + in syntenic orthology relationship with + + + + + + Syntenic homology that involves chromosomes of different species. + + + + + + + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + + fractional homology + partial homologous to + segmental homology + mixed homology + modular homology + partial correspondence + percent homology + in partial homology relationship with + + + + + + Structural homology that involves complex structures from which only a fraction of the elements that can be isolated are separately homologous. + + ISBN:0123195837 + ISBN:978-0471984931 + + + + + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + MeSH:Structural_Homology,_Protein + protein structural homologous to + in protein structural homology relationship with + + + + + + Structural homology that is detected at the level of the 3D protein structure, but maybe not at the level of the amino acid sequence. + + + + + + + + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + + pseudogene + SO:non_functional_homolog_of + non functional homologous to + in non functional homology relationship with + + + + + + Structural homology that involves a pseudogenic feature and its functional ancestor. + + SO:non_functional_homolog_of + + + + + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + ECO:00000060 + SO:0000855 + SO:0000858 + SO:orthologous_to + orthologous to + The term is sometimes also used for anatomical structures. + in orthology relationship with + + + + + + Historical homology that involves genes that diverged after a speciation event. + + + + + + + + + + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + xenologous to + The term is sometimes also used for anatomical structures (e.g. in case of a symbiosis). + in xenology relationship with + + + + + + Historical homology that is characterized by an interspecies (horizontal) transfer since the common ancestor. + + + + + + + + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + + 1 to 1 homologous to + 1:1 homology + one-to-one homology + in 1 to 1 homology relationship with + + + + + + Historical homology that involves two members sharing no other homologs in the lineages considered. + + BGEE:curator + + + + + + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + 1 to 1 orthologous to + 1:1 orthology + one-to-one orthology + in 1 to 1 orthology relationship with + + + + + + Orthology that involves two genes that did not experience any duplication after the speciation event that created them. + + + + + + + + + + + + + Paralogy that results from a whole genome duplication event. + + + ohnologous to + homoeology + in ohnology relationship with + + + + + + Paralogy that results from a whole genome duplication event. + + + + + + + + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + in-paralogous to + inparalogy + symparalogy + in in-paralogy relationship with + + + + + + Paralogy that results from a lineage-specific duplication subsequent to a given speciation event. + + + + + + + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + alloparalogy + out-paralogous to + outparalogy + in out-paralogy relationship with + + + + + + Paralogy that results from a duplication preceding a given speciation event. + + + + + + + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + pro-orthologous to + in pro-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and one of its ortholog in species B, when duplications more recent than the species split have occurred in species B but not in species A. + + + + + + + + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + semi-orthologous to + The converse of pro-orthologous. + in semi-orthology relationship with + + + + + + 1:many orthology that involves a gene in species A and its ortholog in species B, when duplications more recent than the species split have occurred in species A but not in species B. + + + + + + + + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + serial homologous to + homonomy + in serial homology relationship with + + + + + + Iterative homology that involves structures arranged along the main body axis. + + + + + + + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + + heterochronous homologous to + heterochrony + in heterochronous homology relationship with + + + + + + Biological homology that is characterized by changes, over evolutionary time, in the rate or timing of developmental events of homologous structures. + + ISBN:978-0674639416 + + + + + + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + juvenification + pedomorphosis + in paedomorphorsis relationship with + + + + + + Heterochronous homology that is produced by a retention in adults of a species of traits previously seen only in juveniles. + + + ISBN:978-0674639416 + + + + + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + in peramorphosis relationship with + + + + + + Heterochronous homology that is produced by a maturation of individuals of a species past adulthood, which take on hitherto unseen traits. + + + + + + + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + in progenesis relationship with + + + + + + Paedomorphosis that is produced by precocious sexual maturation of an organism still in a morphologically juvenile stage. + + + ISBN:978-0674639416 + + + + + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + juvenilization + neotenous to + in neoteny relationship with + + + + + + Paedomorphosis that is produced by a retardation of somatic development. + + + ISBN:978-0674639416 + + + + + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + mimicrous to + in mimicry relationship with + + + + + + Convergence that results from co-evolution usually involving an evolutionary arms race. + + + + + + + + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + 1 to many orthologous to + 1:many orthology + one-to-many orthology + co-orthology + many to 1 orthology + in 1 to many orthology relationship with + + + + + + Orthology that involves two genes when duplications more recent than the species split have occurred in one species but not the other. + + + + + + + + + + + + + Historical homology that involves two members of a larger set of homologs. + + + many to many homologous to + many-to-many homology + many:many homology + in many to many homology relationship with + + + + + + Historical homology that involves two members of a larger set of homologs. + + + + + + + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + + 1 to many homologous to + one-to-many homology + 1:many homology + in 1 to many homology relationship with + + + + + + Historical homology that involves a structure that has no other homologs in the species in which it is defined, and several homologous structures in another species. + + BGEE:curator + + + + + + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + + apomorphous to + synapomorphy + in apomorphy relationship with + + + + + + Historical homology that is based on recent shared ancestry, characterizing a monophyletic group. + + ISBN:978-0252068140 + + + + + + + + + + Historical homology that is based on distant shared ancestry. + + + plesiomorphous to + symplesiomorphy + This term is usually contrasted to apomorphy. + in plesiomorphy relationship with + + + + + + Historical homology that is based on distant shared ancestry. + + ISBN:978-0252068140 + + + + + + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + deep genetic homology + deep homologous to + generative homology + homoiology + Used for structures in distantly related taxa. + in deep homology relationship with + + + + + + Homocracy that involves morphologically and phylogenetically disparate structures that are the result of parallel evolution. + + + + + + + + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + hemiplasous to + in hemiplasy relationship with + + + + + + Historical homology that is characterized by topological discordance between a gene tree and a species tree attributable to the phylogenetic sorting of genetic polymorphisms across successive nodes in a species tree. + + + + + + + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + gametologous to + in gametology relationship with + + + + + + Historical homology that involves not recombining and subsequently differentiated sex chromosomes. + + + + + + + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + + MeSH:Chromosome_Pairing + chromosomal homologous to + in chromosomal homology relationship with + + + + + + Historical homology that involves the chromosomes able to pair (synapse) during meiosis. + + ISBN:0195307615 + + + + + + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + many to many orthologous to + many-to-many orthology + many:many orthology + trans-orthology + co-orthology + trans-homology + in many to many orthology relationship with + + + + + + Orthology that involves two genes that experienced duplications more recent than the species split that created them. + + + + + + + + + + + + + + Paralogy that involves genes from the same species. + + + within-species paralogous to + in within-species paralogy relationship with + + + + + + Paralogy that involves genes from the same species. + + + + + + + + + + + + Paralogy that involves genes from different species. + + + between-species paralogous to + The genes have diverged before a speciation event. + in between-species paralogy relationship with + + + + + + Paralogy that involves genes from different species. + + + + + + + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + post-displacement + in postdisplacement relationship with + + + + + + Paedomorphosis that is produced by delayed growth of immature structures into the adult form. + + + + + + + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + in hypermorphosis relationship with + + + + + + Peramorphosis that is produced by a delay in the offset of development. + + + ISBN:978-0674639416 + + + + + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + synologous to + in synology relationship with + + + + + + Xenology that results, not from the transfer of a gene between two species, but from a hybridization of two species. + + + + + + + + + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + ECO:0000080 + isoorthologous to + in isoorthology relationship with + + + + + + Orthology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + tandem paralogous to + iterative paralogy + serial paralogy + in tandem paralogy relationship with + + + + + + Paralogy that is characterized by duplication of adjacent sequences on a chromosome segment. + + + ISBN:978-0878932665 + + + + + + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + apomorphic tendency + cryptic homology + latent homologous to + underlying synapomorphy + homoiology + homoplastic tendency + re-awakening + Used for structures in closely related taxa. + in latent homology relationship with + + + + + + Parallelism that involves morphologically very similar structures, occurring only within some members of a taxon and absent in the common ancestor (which possessed the developmental basis to develop this character). + + + + + ISBN:0199141118 + + + + + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + generative homology + syngenous to + Cannot be used when orthologous patterning gene are organizing obviously non-homologous structures in different organisms due for example to pleiotropic functions of these genes. + in syngeny relationship with + + + + + + Homocracy that involves recognizably corresponding characters that occurs in two or more taxa, or as a repeated unit within an individual. + + + DOI:10.1002/1521-1878(200009)22:9<846::AID-BIES10>3.0.CO;2-R + + + + + + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + 1:1 paralogy + apparent 1:1 orthology + apparent orthologous to + pseudoorthology + The genes are actually paralogs but appear to be orthologous due to differential, lineage-specific gene loss. + in apparent orthology relationship with + + + + + + Between-species paralogy that involves single copy paralogs resulting from reciprocal gene loss. + + + + + + + + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + pseudoparalogous to + These genes may come out as paralogs in a single-genome analysis. + in pseudoparalogy relationship with + + + + + + Xenology that involves genes that ended up in a given genome as a result of a combination of vertical inheritance and horizontal gene transfer. + + + + + + + + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + equivalogous to + This may include examples of orthology, paralogy and xenology. + in equivalogy relationship with + + + + + + Historical homology that involves functional equivalent genes with retention of the ancestral function. + + + + + + + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + interologous to + in interology relationship with + + + + + + Historical homology that involves orthologous pairs of interacting molecules in different organisms. + + + + + + + + + + + + + Similarity that is characterized by interchangeability in function. + + + functional similarity + in functional equivalence relationship with + + + + + + Similarity that is characterized by interchangeability in function. + + + + + + + + + + + + + Biological homology that involves parts of the same organism. + + + iterative homologous to + in iterative homology relationship with + + + + + + Biological homology that involves parts of the same organism. + + + + + + + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + duplicate xenology + multiple xenology + paraxenologous to + in paraxenology relationship with + + + + + + Xenology that is characterized by multiple horizontal transfer events, resulting in the presence of two or more copies of the foreign gene in the host genome. + + + + + + + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + plerologous to + This phenomenon is usually due to gene conversion process. + in plerology relationship with + + + + + + Paralogy that is characterized by extra similarity between paralogous sequences resulting from concerted evolution. + + + + + + + + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + homotopous to + Theissen (2005) mentions that some authors may consider homotopy to be distinct from homology, but this is not the standard use. + in homotopy relationship with + + + + + + Structural homology that involves structures with the same or similar relative positions. + + + + ISBN:0123195837 + + + + + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + heterotopy + in homeosis relationship with + + + + + + Biological homology that involves an ectopic structure and the normally positioned structure. + + + + + + + + + + + + + + Synology that results from allopolyploidy. + + + homoeologous to + On a long term, it is hard to distinguish allopolyploidy from whole genome duplication. + in homoeology relationship with + + + + + + Synology that results from allopolyploidy. + + + + + + + + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + axis paramorphism + in paramorphism relationship with + + + + + + Iterative homology that involves two structures, one of which originated as a duplicate of the other and co-opted the expression of patterning genes of the ancestral structure. + + + + + + + + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + regulogous to + in regulogy relationship with + + + + + + Historical homology that involves orthologous pairs of transcription factors and downstream regulated genes in different organisms. + + + + + + + + + + + + + + + + + + + + + + + + + + 0 + + + 100 + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + + 2018-05-22T16:43:28Z + This could be used to record the increased infant morality rate in some population compared to wild-type. For examples of usage see http://purl.obolibrary.org/obo/FBcv_0000351 and subclasses. + has increased age-specific mortality rate + + + + + Then percentage of organisms in a population that die during some specified age range (age-specific mortality rate), minus the percentage that die in during the same age range in a wild-type population. + PMID:24138933 + Wikipedia:Infant_mortality + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An entity that exists in full at any time in which it exists at all, persists through time while maintaining its identity and has no temporal parts. + continuant + + + + + + + + + + + + + + + + + + + + + + + + + + An entity that has temporal parts and that happens, unfolds or develops through time. + occurrent + + + + + + + + + + + + + + + + + b is an independent continuant = Def. b is a continuant which is such that there is no c and no t such that b s-depends_on c at t. (axiom label in BFO2 Reference: [017-002]) + A continuant that is a bearer of quality and realizable entity entities, in which other entities inhere and which itself cannot inhere in anything. + independent continuant + + + + + + + + + spatial region + + + + + + + + + + + + + + + p is a process = Def. p is an occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. (axiom label in BFO2 Reference: [083-003]) + An occurrent that has temporal proper parts and for some time t, p s-depends_on some material entity at t. + process + + + + + + + + + + disposition + + + + + + + + + + + + + + + + A specifically dependent continuant that inheres in continuant entities and are not exhibited in full at every time in which it inheres in an entity or group of entities. The exhibition or actualization of a realizable entity is a particular manifestation, functioning or process that occurs under certain circumstances. + realizable entity + + + + + + + + + + + + + + + quality + + + + + + + + + + + + + + + + b is a specifically dependent continuant = Def. b is a continuant & there is some independent continuant c which is not a spatial region and which is such that b s-depends_on c at every time t during the course of b’s existence. (axiom label in BFO2 Reference: [050-003]) + A continuant that inheres in or is borne by other entities. Every instance of A requires some specific instance of B which must always be the same. + specifically dependent continuant + + + + + + + + + A realizable entity the manifestation of which brings about some result or end that is not essential to a continuant in virtue of the kind of thing that it is but that can be served or participated in by that kind of continuant in some kinds of natural, social or institutional contexts. + role + + + + + + + + + + + + + + + b is a generically dependent continuant = Def. b is a continuant that g-depends_on one or more other entities. (axiom label in BFO2 Reference: [074-001]) + A continuant that is dependent on one or other independent continuant bearers. For every instance of A requires some instance of (an independent continuant type) B but which instance of B serves can change from time to time. + generically dependent continuant + + + + + + + + + function + + + + + + + + + + + + + + + + An independent continuant that is spatially extended whose identity is independent of that of other entities and can be maintained through time. + material entity + + + + + + + + + + + + + + + immaterial entity + + + + + + + + + + + + + + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CALOHA:TS-2035 + FBbt:00007002 + FMA:68646 + GO:0005623 + KUPO:0000002 + MESH:D002477 + VHOG:0001533 + WBbt:0004017 + XAO:0003012 + The definition of cell is intended to represent all cells, and thus a cell is defined as a material entity and not an anatomical structure, which implies that it is part of an organism (or the entirety of one). + cell + + + + + + + + + + This is an intentionally invalid axiom that should cause the cell class to become unsatisfiable due to domain and range constraints on occurs_in + + + + + A material entity of anatomical origin (part of or deriving from an organism) that has as its parts a maximally connected cell compartment surrounded by a plasma membrane. + CARO:mah + + + + + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + BTO:0001037 + FBbt:00005124 + FMA:84649 + MESH:D011984 + WBbt:0005759 + sensory neuron + + + + + Any neuron having a sensory function; an afferent neuron conveying sensory impulses. + ISBN:0721662544 + + + + + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + + BTO:0000938 + CALOHA:TS-0683 + FBbt:00005106 + FMA:54527 + VHOG:0001483 + WBbt:0003679 + nerve cell + These cells are also reportedly CD4-negative and CD200-positive. They are also capable of producing CD40L and IFN-gamma. + neuron + + + + + The basic cellular unit of nervous tissue. Each neuron consists of a body, an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. + MESH:D009474 + http://en.wikipedia.org/wiki/Neuron + + + + + + + + + A system which has the disposition to environ one or more material entities. + 2013-09-23T16:04:08Z + EcoLexicon:environment + environment + In ENVO's alignment with the Basic Formal Ontology, this class is being considered as a subclass of a proposed BFO class "system". The relation "environed_by" is also under development. Roughly, a system which includes a material entity (at least partially) within its site and causally influences that entity may be considered to environ it. Following the completion of this alignment, this class' definition and the definitions of its subclasses will be revised. + environmental system + + + + + A system which has the disposition to environ one or more material entities. + DOI:10.1186/2041-1480-4-43 + + + + + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EcoLexicon:habitat + LTER:238 + SWEETRealm:Habitat + https://en.wikipedia.org/wiki/Habitat + A habitat's specificity to an ecological population differentiates it from other environment classes. + habitat + + + + + An environmental system which can sustain and allow the growth of an ecological population. + EnvO:EnvO + + + + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + molecular function + GO:0003674 + Note that, in addition to forming the root of the molecular function ontology, this term is recommended for use for the annotation of gene products whose molecular function is unknown. When this term is used for annotation, it indicates that no information was available about the molecular function of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. Despite its name, this is not a type of 'function' in the sense typically defined by upper ontologies such as Basic Formal Ontology (BFO). It is instead a BFO:process carried out by a single gene product or complex. + molecular_function + + + + + A molecular process that can be carried out by the action of a single macromolecular machine, usually via direct physical interactions with other molecular entities. Function in this sense denotes an action, or activity, that a gene product (or a complex) performs. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + E2 + E3 + KEGG_REACTION:R03876 + Reactome:R-HSA-1169394 + Reactome:R-HSA-1169395 + Reactome:R-HSA-1169397 + Reactome:R-HSA-1169398 + Reactome:R-HSA-1169402 + Reactome:R-HSA-1169405 + Reactome:R-HSA-1169406 + Reactome:R-HSA-1234163 + Reactome:R-HSA-1234172 + Reactome:R-HSA-1253282 + Reactome:R-HSA-1358789 + Reactome:R-HSA-1358790 + Reactome:R-HSA-1358792 + Reactome:R-HSA-1363331 + Reactome:R-HSA-168915 + Reactome:R-HSA-173542 + Reactome:R-HSA-173545 + Reactome:R-HSA-174057 + Reactome:R-HSA-174104 + Reactome:R-HSA-174144 + Reactome:R-HSA-174159 + Reactome:R-HSA-174195 + Reactome:R-HSA-174227 + Reactome:R-HSA-179417 + Reactome:R-HSA-180540 + Reactome:R-HSA-180597 + Reactome:R-HSA-182986 + Reactome:R-HSA-182993 + Reactome:R-HSA-183036 + Reactome:R-HSA-183051 + Reactome:R-HSA-183084 + Reactome:R-HSA-183089 + Reactome:R-HSA-1852623 + Reactome:R-HSA-187575 + Reactome:R-HSA-1912357 + Reactome:R-HSA-1912386 + Reactome:R-HSA-1918092 + Reactome:R-HSA-1918095 + Reactome:R-HSA-1977296 + Reactome:R-HSA-1980074 + Reactome:R-HSA-1980118 + Reactome:R-HSA-201425 + Reactome:R-HSA-202453 + Reactome:R-HSA-202534 + Reactome:R-HSA-205118 + Reactome:R-HSA-209063 + Reactome:R-HSA-211734 + Reactome:R-HSA-2169050 + Reactome:R-HSA-2172172 + Reactome:R-HSA-2179276 + Reactome:R-HSA-2186747 + Reactome:R-HSA-2186785 + Reactome:R-HSA-2187368 + Reactome:R-HSA-2213017 + Reactome:R-HSA-264444 + Reactome:R-HSA-2682349 + Reactome:R-HSA-2730904 + Reactome:R-HSA-2737728 + Reactome:R-HSA-2769007 + Reactome:R-HSA-2900765 + Reactome:R-HSA-3000335 + Reactome:R-HSA-3134804 + Reactome:R-HSA-3134946 + Reactome:R-HSA-3249386 + Reactome:R-HSA-3780995 + Reactome:R-HSA-3781009 + Reactome:R-HSA-3788724 + Reactome:R-HSA-3797226 + Reactome:R-HSA-400267 + Reactome:R-HSA-4332236 + Reactome:R-HSA-446877 + Reactome:R-HSA-450358 + Reactome:R-HSA-451418 + Reactome:R-HSA-5205682 + Reactome:R-HSA-5357757 + Reactome:R-HSA-5362412 + Reactome:R-HSA-5483238 + Reactome:R-HSA-5607725 + Reactome:R-HSA-5607728 + Reactome:R-HSA-5607756 + Reactome:R-HSA-5607757 + Reactome:R-HSA-5610742 + Reactome:R-HSA-5610745 + Reactome:R-HSA-5610746 + Reactome:R-HSA-5652009 + Reactome:R-HSA-5655170 + Reactome:R-HSA-5660753 + Reactome:R-HSA-5667107 + Reactome:R-HSA-5667111 + Reactome:R-HSA-5668454 + Reactome:R-HSA-5668534 + Reactome:R-HSA-5675470 + Reactome:R-HSA-5684250 + Reactome:R-HSA-5691108 + Reactome:R-HSA-5693108 + Reactome:R-HSA-68712 + Reactome:R-HSA-69598 + Reactome:R-HSA-741386 + Reactome:R-HSA-75824 + Reactome:R-HSA-870449 + Reactome:R-HSA-8948709 + Reactome:R-HSA-8956106 + Reactome:R-HSA-9013069 + Reactome:R-HSA-9013974 + Reactome:R-HSA-9014342 + Reactome:R-HSA-918224 + Reactome:R-HSA-936412 + Reactome:R-HSA-936942 + Reactome:R-HSA-936986 + Reactome:R-HSA-9628444 + Reactome:R-HSA-9645394 + Reactome:R-HSA-9645414 + Reactome:R-HSA-9688831 + Reactome:R-HSA-9701000 + Reactome:R-HSA-9750946 + Reactome:R-HSA-975118 + Reactome:R-HSA-975147 + Reactome:R-HSA-9758604 + Reactome:R-HSA-9793444 + Reactome:R-HSA-9793485 + Reactome:R-HSA-9793679 + Reactome:R-HSA-9796346 + Reactome:R-HSA-9796387 + Reactome:R-HSA-9796626 + Reactome:R-HSA-9815507 + Reactome:R-HSA-9817362 + Reactome:R-HSA-983140 + Reactome:R-HSA-983153 + Reactome:R-HSA-983156 + ubiquitin conjugating enzyme activity + ubiquitin ligase activity + ubiquitin protein ligase activity + ubiquitin protein-ligase activity + ubiquitin-conjugating enzyme activity + GO:0004842 + ubiquitin-protein transferase activity + + + + + Catalysis of the transfer of ubiquitin from one protein to another via the reaction X-Ub + Y = Y-Ub + X, where both X-Ub and Y-Ub are covalent linkages. + GOC:BioGRID + GOC:jh2 + PMID:9635407 + + + + + Reactome:R-HSA-1169394 + ISGylation of IRF3 + + + + + Reactome:R-HSA-1169395 + ISGylation of viral protein NS1 + + + + + Reactome:R-HSA-1169397 + Activation of ISG15 by UBA7 E1 ligase + + + + + Reactome:R-HSA-1169398 + ISGylation of host protein filamin B + + + + + Reactome:R-HSA-1169402 + ISGylation of E2 conjugating enzymes + + + + + Reactome:R-HSA-1169405 + ISGylation of protein phosphatase 1 beta (PP2CB) + + + + + Reactome:R-HSA-1169406 + ISGylation of host proteins + + + + + Reactome:R-HSA-1234163 + Cytosolic VBC complex ubiquitinylates hydroxyprolyl-HIF-alpha + + + + + Reactome:R-HSA-1234172 + Nuclear VBC complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-1253282 + ERBB4 ubiquitination by WWP1/ITCH + + + + + Reactome:R-HSA-1358789 + Self-ubiquitination of RNF41 + + + + + Reactome:R-HSA-1358790 + RNF41 ubiquitinates ERBB3 + + + + + Reactome:R-HSA-1358792 + RNF41 ubiquitinates activated ERBB3 + + + + + Reactome:R-HSA-1363331 + Ubiquitination of p130 (RBL2) by SCF (Skp2) + + + + + Reactome:R-HSA-168915 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-173542 + SMURF2 ubiquitinates SMAD2 + + + + + Reactome:R-HSA-173545 + Ubiquitin-dependent degradation of the SMAD complex terminates TGF-beta signaling + + + + + Reactome:R-HSA-174057 + Multiubiquitination of APC/C-associated Cdh1 + + + + + Reactome:R-HSA-174104 + Ubiquitination of Cyclin A by APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174144 + Ubiquitination of Securin by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-174159 + Ubiquitination of Emi1 by SCF-beta-TrCP + + + + + Reactome:R-HSA-174195 + Ubiquitination of cell cycle proteins targeted by the APC/C:Cdh1complex + + + + + Reactome:R-HSA-174227 + Ubiquitination of Cyclin B by phospho-APC/C:Cdc20 complex + + + + + Reactome:R-HSA-179417 + Multiubiquitination of Nek2A + + + + + Reactome:R-HSA-180540 + Multi-ubiquitination of APOBEC3G + + + + + Reactome:R-HSA-180597 + Ubiquitination of CD4 by Vpu:CD4:beta-TrCP:SKP1 complex + + + + + Reactome:R-HSA-182986 + CBL-mediated ubiquitination of CIN85 + + + + + Reactome:R-HSA-182993 + Ubiquitination of stimulated EGFR (CBL) + + + + + Reactome:R-HSA-183036 + Ubiquitination of stimulated EGFR (CBL:GRB2) + + + + + Reactome:R-HSA-183051 + CBL ubiquitinates Sprouty + + + + + Reactome:R-HSA-183084 + CBL escapes CDC42-mediated inhibition by down-regulating the adaptor molecule Beta-Pix + + + + + Reactome:R-HSA-183089 + CBL binds and ubiquitinates phosphorylated Sprouty + + + + + Reactome:R-HSA-1852623 + Ubiquitination of NICD1 by FBWX7 + + + + + Reactome:R-HSA-187575 + Ubiquitination of phospho-p27/p21 + + + + + Reactome:R-HSA-1912357 + ITCH ubiquitinates DTX + + + + + Reactome:R-HSA-1912386 + Ubiquitination of NOTCH1 by ITCH in the absence of ligand + + + + + Reactome:R-HSA-1918092 + CHIP (STUB1) mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1918095 + CUL5 mediates ubiquitination of ERBB2 + + + + + Reactome:R-HSA-1977296 + NEDD4 ubiquitinates ERBB4jmAcyt1s80 dimer + + + + + Reactome:R-HSA-1980074 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 + + + + + Reactome:R-HSA-1980118 + ARRB mediates NOTCH1 ubiquitination + + + + + Reactome:R-HSA-201425 + Ubiquitin-dependent degradation of the Smad complex terminates BMP2 signalling + + + + + Reactome:R-HSA-202453 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-202534 + Ubiquitination of NEMO by TRAF6 + + + + + Reactome:R-HSA-205118 + TRAF6 polyubiquitinates NRIF + + + + + Reactome:R-HSA-209063 + Beta-TrCP ubiquitinates NFKB p50:p65:phospho IKBA complex + + + + + Reactome:R-HSA-211734 + Ubiquitination of PAK-2p34 + + + + + Reactome:R-HSA-2169050 + SMURFs/NEDD4L ubiquitinate phosphorylated TGFBR1 and SMAD7 + + + + + Reactome:R-HSA-2172172 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH2 + + + + + Reactome:R-HSA-2179276 + SMURF2 monoubiquitinates SMAD3 + + + + + Reactome:R-HSA-2186747 + Ubiquitination of SKI/SKIL by RNF111/SMURF2 + + + + + Reactome:R-HSA-2186785 + RNF111 ubiquitinates SMAD7 + + + + + Reactome:R-HSA-2187368 + STUB1 (CHIP) ubiquitinates SMAD3 + + + + + Reactome:R-HSA-2213017 + Auto-ubiquitination of TRAF3 + + + + + Reactome:R-HSA-264444 + Autoubiquitination of phospho-COP1(Ser-387 ) + + + + + Reactome:R-HSA-2682349 + RAF1:SGK:TSC22D3:WPP ubiquitinates SCNN channels + + + + + Reactome:R-HSA-2730904 + Auto-ubiquitination of TRAF6 + + + + + Reactome:R-HSA-2737728 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD domain mutants + + + + + Reactome:R-HSA-2769007 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 PEST domain mutants + + + + + Reactome:R-HSA-2900765 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH1 HD+PEST domain mutants + + + + + Reactome:R-HSA-3000335 + SCF-beta-TrCp1/2 ubiquitinates phosphorylated BORA + + + + + Reactome:R-HSA-3134804 + STING ubiquitination by TRIM32 or TRIM56 + + + + + Reactome:R-HSA-3134946 + DDX41 ubiquitination by TRIM21 + + + + + Reactome:R-HSA-3249386 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:dsDNA:ZBP1:TBK1 + + + + + Reactome:R-HSA-3780995 + NHLRC1 mediated ubiquitination of EPM2A (laforin) and PPP1RC3 (PTG) associated with glycogen-GYG2 + + + + + Reactome:R-HSA-3781009 + NHLRC1 mediated ubiquitination of EPM2A and PPP1RC3 associated with glycogen-GYG1 + + + + + Reactome:R-HSA-3788724 + Cdh1:APC/C ubiquitinates EHMT1 and EHMT2 + + + + + Reactome:R-HSA-3797226 + Defective NHLRC1 does not ubiquitinate EPM2A (laforin) and PPP1R3C (PTG) (type 2B disease) + + + + + Reactome:R-HSA-400267 + BTRC:CUL1:SKP1 (SCF-beta-TrCP1) ubiquitinylates PER proteins + + + + + Reactome:R-HSA-4332236 + CBL neddylates TGFBR2 + + + + + Reactome:R-HSA-446877 + TRAF6 is K63 poly-ubiquitinated + + + + + Reactome:R-HSA-450358 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR stimulation + + + + + Reactome:R-HSA-451418 + Pellino ubiquitinates IRAK1 + + + + + Reactome:R-HSA-5205682 + Parkin promotes the ubiquitination of mitochondrial substrates + + + + + Reactome:R-HSA-5357757 + BIRC(cIAP1/2) ubiquitinates RIPK1 + + + + + Reactome:R-HSA-5362412 + SYVN1 ubiquitinates Hh C-terminal fragments + + + + + Reactome:R-HSA-5483238 + Hh processing variants are ubiquitinated + + + + + Reactome:R-HSA-5607725 + SCF-beta-TRCP ubiquitinates p-7S-p100:RELB in active NIK:p-176,S180-IKKA dimer:p-7S-p100:SCF-beta-TRCP + + + + + Reactome:R-HSA-5607728 + beta-TRCP ubiquitinates IkB-alpha in p-S32,33-IkB-alpha:NF-kB complex + + + + + Reactome:R-HSA-5607756 + TRAF6 oligomer autoubiquitinates + + + + + Reactome:R-HSA-5607757 + K63polyUb-TRAF6 ubiquitinates TAK1 + + + + + Reactome:R-HSA-5610742 + SCF(beta-TrCP) ubiquitinates p-GLI1 + + + + + Reactome:R-HSA-5610745 + SCF(beta-TrCP) ubiquitinates p-GLI2 + + + + + Reactome:R-HSA-5610746 + SCF(beta-TrCP) ubiquitinates p-GLI3 + + + + + Reactome:R-HSA-5652009 + RAD18:UBE2B or RBX1:CUL4:DDB1:DTL monoubiquitinates PCNA + + + + + Reactome:R-HSA-5655170 + RCHY1 monoubiquitinates POLH + + + + + Reactome:R-HSA-5660753 + SIAH1:UBE2L6:Ubiquitin ubiquitinates SNCA + + + + + Reactome:R-HSA-5667107 + SIAH1, SIAH2 ubiquitinate SNCAIP + + + + + Reactome:R-HSA-5667111 + PARK2 K63-Ubiquitinates SNCAIP + + + + + Reactome:R-HSA-5668454 + K63polyUb-cIAP1,2 ubiquitinates TRAF3 + + + + + Reactome:R-HSA-5668534 + cIAP1,2 ubiquitinates NIK in cIAP1,2:TRAF2::TRAF3:NIK + + + + + Reactome:R-HSA-5675470 + BIRC2/3 (cIAP1/2) is autoubiquitinated + + + + + Reactome:R-HSA-5684250 + SCF betaTrCP ubiquitinates NFKB p105 within p-S927, S932-NFkB p105:TPL2:ABIN2 + + + + + Reactome:R-HSA-5691108 + SKP1:FBXL5:CUL1:NEDD8 ubiquitinylates IREB2 + + + + + Reactome:R-HSA-5693108 + TNFAIP3 (A20) ubiquitinates RIPK1 with K48-linked Ub chains + + + + + Reactome:R-HSA-68712 + The geminin component of geminin:Cdt1 complexes is ubiquitinated, releasing Cdt1 + + + + + Reactome:R-HSA-69598 + Ubiquitination of phosphorylated Cdc25A + + + + + Reactome:R-HSA-741386 + RIP2 induces K63-linked ubiquitination of NEMO + + + + + Reactome:R-HSA-75824 + Ubiquitination of Cyclin D1 + + + + + Reactome:R-HSA-870449 + TRIM33 monoubiquitinates SMAD4 + + + + + Reactome:R-HSA-8948709 + DTX4 ubiquitinates p-S172-TBK1 within NLRP4:DTX4:STING:TBK1:IRF3 + + + + + Reactome:R-HSA-8956106 + VHL:EloB,C:NEDD8-CUL2:RBX1 complex ubiquitinylates HIF-alpha + + + + + Reactome:R-HSA-9013069 + Ubiquitination of DLL/JAG ligands upon binding to NOTCH3 + + + + + Reactome:R-HSA-9013974 + Auto-ubiquitination of TRAF3 within activated TLR3 complex + + + + + Reactome:R-HSA-9014342 + K63-linked ubiquitination of RIP1 bound to the activated TLR complex + + + + + Reactome:R-HSA-918224 + DDX58 is K63 polyubiquitinated + + + + + Reactome:R-HSA-936412 + RNF125 mediated ubiquitination of DDX58, IFIH1 and MAVS + + + + + Reactome:R-HSA-936942 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 + + + + + Reactome:R-HSA-936986 + Activated TRAF6 synthesizes unanchored polyubiquitin chains + + + + + Reactome:R-HSA-9628444 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon TLR3 stimulation + + + + + Reactome:R-HSA-9645394 + Activated TRAF6 synthesizes unanchored polyubiquitin chains upon ALPK1:ADP-heptose stimulation + + + + + Reactome:R-HSA-9645414 + Auto ubiquitination of TRAF6 bound to ALPK1:ADP-heptose:TIFA oligomer + + + + + Reactome:R-HSA-9688831 + STUB1 ubiquitinates RIPK3 at K55, K363 + + + + + Reactome:R-HSA-9701000 + BRCA1:BARD1 heterodimer autoubiquitinates + + + + + Reactome:R-HSA-9750946 + TRAF2,6 ubiquitinates NLRC5 + + + + + Reactome:R-HSA-975118 + TRAF6 ubiquitinqtes IRF7 within the activated TLR7/8 or 9 complex + + + + + Reactome:R-HSA-975147 + Auto ubiquitination of oligo-TRAF6 bound to p-IRAK2 at endosome membrane + + + + + Reactome:R-HSA-9758604 + Ubiquitination of IKBKG by TRAF6 + + + + + Reactome:R-HSA-9793444 + ITCH polyubiquitinates MLKL at K50 + + + + + Reactome:R-HSA-9793485 + PRKN polyubiquitinates RIPK3 + + + + + Reactome:R-HSA-9793679 + LUBAC ubiquitinates RIPK1 at K627 + + + + + Reactome:R-HSA-9796346 + MIB2 ubiquitinates RIPK1 at K377, K604, K634 + + + + + Reactome:R-HSA-9796387 + STUB1 ubiquitinates RIPK1 at K571, K604, K627 + + + + + Reactome:R-HSA-9796626 + MIB2 ubiquitinates CFLAR + + + + + Reactome:R-HSA-9815507 + MIB2 ubiquitinates CYLD at K338, K530 + + + + + Reactome:R-HSA-9817362 + SPATA2:CYLD-bound LUBAC ubiquitinates RIPK1 at K627 within the TNFR1 signaling complex + + + + + Reactome:R-HSA-983140 + Transfer of Ub from E2 to substrate and release of E2 + + + + + Reactome:R-HSA-983153 + E1 mediated ubiquitin activation + + + + + Reactome:R-HSA-983156 + Polyubiquitination of substrate + + + + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + NIF_Subcellular:sao1702920020 + Wikipedia:Cell_nucleus + cell nucleus + horsetail nucleus + GO:0005634 + nucleus + + + + + A membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. In most cells, the nucleus contains all of the cell's chromosomes except the organellar chromosomes, and is the site of RNA synthesis and processing. In some species, or in specialized cell types, RNA metabolism or DNA replication may be absent. + GOC:go_curators + + + + + horsetail nucleus + GOC:al + GOC:mah + GOC:vw + PMID:15030757 + + + + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + jl + 2012-09-19T15:05:24Z + Wikipedia:Biological_process + biological process + physiological process + single organism process + single-organism process + GO:0008150 + Note that, in addition to forming the root of the biological process ontology, this term is recommended for use for the annotation of gene products whose biological process is unknown. When this term is used for annotation, it indicates that no information was available about the biological process of the gene product annotated as of the date the annotation was made; the evidence code 'no data' (ND), is used to indicate this. + biological_process + + + + + A biological process is the execution of a genetically-encoded biological module or program. It consists of all the steps required to achieve the specific biological objective of the module. A biological process is accomplished by a particular set of molecular functions carried out by specific gene products (or macromolecular complexes), often in a highly regulated manner and in a particular temporal sequence. + GOC:pdt + + + + + + + + + + + + true + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + Reactome:R-HSA-6788855 + Reactome:R-HSA-6788867 + phosphokinase activity + GO:0016301 + Note that this term encompasses all activities that transfer a single phosphate group; although ATP is by far the most common phosphate donor, reactions using other phosphate donors are included in this term. + kinase activity + + + + + Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. + ISBN:0198506732 + + + + + Reactome:R-HSA-6788855 + FN3KRP phosphorylates PsiAm, RibAm + + + + + Reactome:R-HSA-6788867 + FN3K phosphorylates ketosamines + + + + + + + + + + + + true + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + Reactome:R-HSA-141367 + Reactome:R-HSA-162914 + GO:0019107 + myristoyltransferase activity + + + + + Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. + GOC:ai + + + + + Reactome:R-HSA-141367 + Myristoylation of tBID by NMT1 + + + + + Reactome:R-HSA-162914 + Myristoylation of Nef + + + + + + + + + information content entity + information content entity + + + + + + + + + + + + + + + + + + + + + + + curation status specification + + The curation status of the term. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + Better to represent curation as a process with parts and then relate labels to that process (in IAO meeting) + PERSON:Bill Bug + GROUP:OBI:<http://purl.obolibrary.org/obo/obi> + OBI_0000266 + curation status specification + + + + + + + + + organism + animal + fungus + plant + virus + + A material entity that is an individual living system, such as animal, plant, bacteria or virus, that is capable of replicating or reproducing, growth and maintenance in the right environment. An organism may be unicellular or made up, like humans, of many billions of cells divided into specialized tissues and organs. + 10/21/09: This is a placeholder term, that should ideally be imported from the NCBI taxonomy, but the high level hierarchy there does not suit our needs (includes plasmids and 'other organisms') + 13-02-2009: +OBI doesn't take position as to when an organism starts or ends being an organism - e.g. sperm, foetus. +This issue is outside the scope of OBI. + GROUP: OBI Biomaterial Branch + WEB: http://en.wikipedia.org/wiki/Organism + organism + + + + + + + + + A disposition (i) to undergo pathological processes that (ii) exists in an organism because of one or more disorders in that organism. + disease + + + + + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATO:0000001 + quality + + + + + A dependent entity that inheres in a bearer by virtue of how the bearer is related to other entities + PATOC:GVG + + + + + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + + ramified + ramiform + PATO:0000402 + branched + + + + + A branchiness quality inhering in a bearer by virtue of the bearer's having branches. + WordNet:WordNet + + + + + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + PATO:0001199 + linear + + + + + A shape quality inhering in a bearer by virtue of the bearer's being narrow, with the two opposite margins parallel. + ISBN:0881923214 + + + + + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + + 2009-10-06T04:37:14Z + PATO:0002124 + laminar + + + + + A quality inhering in a bearer by virtue of the bearer's processing the form of a thin plate sheet or layer. + PATOC:GVG + + + + + + + + + An exposure event in which a human is exposed to particulate matter in the air. Here the exposure stimulus/stress is the particulate matter, the receptor is the airways and lungs of the human, + An exposure event in which a plant is provided with fertilizer. The exposure receptor is the root system of the plant, the stimulus is the fertilizing chemical, the route is via the soil, possibly mediated by symbotic microbes. + A process occurring within or in the vicinity of an organism that exerts some causal influence on the organism via the interaction between an exposure stimulus and an exposure receptor. The exposure stimulus may be a process, material entity or condition (for example, lack of nutrients). The exposure receptor can be an organism, organism population or a part of an organism. + This class is intended as a grouping for various domain and species-specific exposure classes. The ExO class http://purl.obolibrary.org/obo/ExO_0000002 'exposure event' assumes that all exposures involve stressors, which limits the applicability of this class to 'positive' exposures, e.g. exposing a plant to beneficial growing conditions. + + + 2017-06-05T17:55:39Z + exposure event or process + https://github.com/oborel/obo-relations/pull/173 + + + + + + + + + + + + + + Any entity that is ordered in discrete units along a linear axis. + + sequentially ordered entity + + + + + + + + + Any individual unit of a collection of like units arranged in a linear order + + An individual unit can be a molecular entity such as a base pair, or an abstract entity, such as the abstraction of a base pair. + sequence atomic unit + + + + + + + + + Any entity that can be divided into parts such that each part is an atomical unit of a sequence + + Sequence bearers can be molecular entities, such as a portion of a DNA molecule, or they can be abstract entities, such as an entity representing all human sonic hedgehog regions of the genome with a particular DNA sequence. + sequence bearer + + + + + + + + + A material entity consisting of multiple components that are causally integrated. + May be replaced by a BFO class, as discussed in http://www.jbiomedsem.com/content/4/1/43 + + http://www.jbiomedsem.com/content/4/1/43 + system + + + + + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + + + AAO:0010825 + AEO:0000003 + BILA:0000003 + CARO:0000003 + EHDAA2:0003003 + EMAPA:0 + FBbt:00007001 + FMA:305751 + FMA:67135 + GAID:781 + HAO:0000003 + MA:0003000 + MESH:D000825 + SCTID:362889002 + TAO:0000037 + TGMA:0001823 + VHOG:0001759 + XAO:0003000 + ZFA:0000037 + http://dbpedia.org/ontology/AnatomicalStructure + biological structure + connected biological structure + UBERON:0000061 + + + anatomical structure + + + + + Material anatomical entity that is a single connected structure with inherent 3D shape generated by coordinated expression of the organism's own genome. + CARO:0000003 + + + + + connected biological structure + CARO:0000003 + + + + + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBbt:00005099 + NLX:147821 + funiculus + nerve fiber bundle + neural fiber bundle + UBERON:0000122 + neuron projection bundle + + + + + A fasciculated bundle of neuron projections (GO:0043005), largely or completely lacking synapses. + CARO:0001001 + FBC:DOS + FBbt:00005099 + + + + + nerve fiber bundle + FBbt:00005099 + + + + + + + + + + + Anatomical entity that has mass. + + + AAO:0010264 + AEO:0000006 + BILA:0000006 + CARO:0000006 + EHDAA2:0003006 + FBbt:00007016 + FMA:67165 + HAO:0000006 + TAO:0001836 + TGMA:0001826 + VHOG:0001721 + UBERON:0000465 + + + material anatomical entity + + + + + Anatomical entity that has mass. + http://orcid.org/0000-0001-9114-8737 + + + + + + + + + + Anatomical entity that has no mass. + + + AAO:0010265 + AEO:0000007 + BILA:0000007 + CARO:0000007 + EHDAA2:0003007 + FBbt:00007015 + FMA:67112 + HAO:0000007 + TAO:0001835 + TGMA:0001827 + VHOG:0001727 + immaterial physical anatomical entity + UBERON:0000466 + + + immaterial anatomical entity + + + + + Anatomical entity that has no mass. + http://orcid.org/0000-0001-9114-8737 + + + + + immaterial physical anatomical entity + FMA:67112 + + + + + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + + + AAO:0010841 + AEO:0000000 + BILA:0000000 + BIRNLEX:6 + CARO:0000000 + EHDAA2:0002229 + FBbt:10000000 + FMA:62955 + HAO:0000000 + MA:0000001 + NCIT:C12219 + TAO:0100000 + TGMA:0001822 + UMLS:C1515976 + WBbt:0000100 + XAO:0000000 + ZFA:0100000 + UBERON:0001062 + + + anatomical entity + + + + + Biological entity that is either an individual member of a biological species or constitutes the structural organization of an individual member of a biological species. + FMA:62955 + http://orcid.org/0000-0001-9114-8737 + + + + + UMLS:C1515976 + ncithesaurus:Anatomic_Structure_System_or_Substance + + + + + + + + + An anatomical structure that has more than one cell as a part. + + + CARO:0010000 + FBbt:00100313 + multicellular structure + UBERON:0010000 + + + multicellular anatomical structure + + + + + An anatomical structure that has more than one cell as a part. + CARO:0010000 + + + + + multicellular structure + FBbt:00100313 + + + + + + + + + phenotype + + + + + + + + + + + + + + + + + + + example to be eventually removed + example to be eventually removed + + + + + + + + metadata complete + Class has all its metadata, but is either not guaranteed to be in its final location in the asserted IS_A hierarchy or refers to another class that is not complete. + metadata complete + + + + + + + + organizational term + Term created to ease viewing/sort terms for development purpose, and will not be included in a release + organizational term + + + + + + + + ready for release + + Class has undergone final review, is ready for use, and will be included in the next release. Any class lacking "ready_for_release" should be considered likely to change place in hierarchy, have its definition refined, or be obsoleted in the next release. Those classes deemed "ready_for_release" will also derived from a chain of ancestor classes that are also "ready_for_release." + ready for release + + + + + + + + metadata incomplete + Class is being worked on; however, the metadata (including definition) are not complete or sufficiently clear to the branch editors. + metadata incomplete + + + + + + + + uncurated + Nothing done yet beyond assigning a unique class ID and proposing a preferred term. + uncurated + + + + + + + + + pending final vetting + + All definitions, placement in the asserted IS_A hierarchy and required minimal metadata are complete. The class is awaiting a final review by someone other than the term editor. + pending final vetting + + + + + + + + to be replaced with external ontology term + Terms with this status should eventually replaced with a term from another ontology. + Alan Ruttenberg + group:OBI + to be replaced with external ontology term + + + + + + + + + requires discussion + + A term that is metadata complete, has been reviewed, and problems have been identified that require discussion before release. Such a term requires editor note(s) to identify the outstanding issues. + Alan Ruttenberg + group:OBI + requires discussion + + + + + + + + ## Elucidation + +This is used when the statement/axiom is assumed to hold true &apos;eternally&apos; + +## How to interpret (informal) + +First the &quot;atemporal&quot; FOL is derived from the OWL using the standard +interpretation. This axiom is temporalized by embedding the axiom +within a for-all-times quantified sentence. The t argument is added to +all instantiation predicates and predicates that use this relation. + +## Example + + Class: nucleus + SubClassOf: part_of some cell + + forall t : + forall n : + instance_of(n,Nucleus,t) + implies + exists c : + instance_of(c,Cell,t) + part_of(n,c,t) + +## Notes + +This interpretation is *not* the same as an at-all-times relation + axiom holds for all times + + + + + + + + ## Elucidation + +This is used when the first-order logic form of the relation is +binary, and takes no temporal argument. + +## Example: + + Class: limb + SubClassOf: develops_from some lateral-plate-mesoderm + + forall t, t2: + forall x : + instance_of(x,Limb,t) + implies + exists y : + instance_of(y,LPM,t2) + develops_from(x,y) + relation has no temporal argument + + + + + + + + Researcher + Austin Meier + + + + + Researcher + + + + + + Austin Meier + + + + + + + + + researcher + Shawn Zheng Kai Tan + + + + + researcher + + + + + + Shawn Zheng Kai Tan + + + + + + + + + researcher, metadata, diseases, University of Maryland + Lynn Schriml + + + + + researcher, metadata, diseases, University of Maryland + + + + + + Lynn Schriml + + + + + + + + + data scientist + Anne Thessen + + + + + data scientist + + + + + + Anne Thessen + + + + + + + + + researcher + Pier Luigi Buttigieg + + + + + researcher + + + + + + Pier Luigi Buttigieg + + + + + + + + + bioinformatics researcher + Christopher J. Mungall + + + + + bioinformatics researcher + + + + + + Christopher J. Mungall + + + + + + + + + researcher + David Osumi-Sutherland + + + + + researcher + + + + + + David Osumi-Sutherland + + + + + + + + + researcher + Lauren E. Chan + + + + + researcher + + + + + + Lauren E. Chan + + + + + + + + + researcher + Marie-Angélique Laporte + + + + + researcher + + + + + + Marie-Angélique Laporte + + + + + + + + + researcher + James P. Balhoff + + + + + researcher + + + + + + James P. Balhoff + + + + + + + + + researcher + Lindsay G Cowell + + + + + researcher + + + + + + Lindsay G Cowell + + + + + + + + + researcher + Anna Maria Masci + + + + + researcher + + + + + + Anna Maria Masci + + + + + + + + + American chemist + Charles Tapley Hoyt + + + + + American chemist + + + + + + Charles Tapley Hoyt + + + + + + + + + + + + data item + data item + + + data about an ontology part + Data about an ontology part is a data item about a part of an ontology, for example a term + Person:Alan Ruttenberg + data about an ontology part + + + failed exploratory term + The term was used in an attempt to structure part of the ontology but in retrospect failed to do a good job + Person:Alan Ruttenberg + failed exploratory term + + + in branch + An annotation property indicating which module the terms belong to. This is currently experimental and not implemented yet. + GROUP:OBI + OBI_0000277 + in branch + + + Core is an instance of a grouping of terms from an ontology or ontologies. It is used by the ontology to identify main classes. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolete_core + + + obsolescence reason specification + + The reason for which a term has been deprecated. The allowed values come from an enumerated list of predefined terms. See the specification of these instances for more detailed definitions of each enumerated value. + The creation of this class has been inspired in part by Werner Ceusters' paper, Applying evolutionary terminology auditing to the Gene Ontology. + PERSON: Alan Ruttenberg + PERSON: Melanie Courtot + obsolescence reason specification + + + placeholder removed + placeholder removed + + + terms merged + An editor note should explain what were the merged terms and the reason for the merge. + terms merged + + + term imported + This is to be used when the original term has been replaced by a term imported from an other ontology. An editor note should indicate what is the URI of the new term to use. + term imported + + + term split + This is to be used when a term has been split in two or more new terms. An editor note should indicate the reason for the split and indicate the URIs of the new terms created. + term split + + + has obsolescence reason + Relates an annotation property to an obsolescence reason. The values of obsolescence reasons come from a list of predefined terms, instances of the class obsolescence reason specification. + PERSON:Alan Ruttenberg + PERSON:Melanie Courtot + has obsolescence reason + + + ontology term requester + + The name of the person, project, or organization that motivated inclusion of an ontology term by requesting its addition. + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + Person: Jie Zheng, Chris Stoeckert, Alan Ruttenberg + The 'term requester' can credit the person, organization or project who request the ontology term. + ontology term requester + + + denotator type + The Basic Formal Ontology ontology makes a distinction between Universals and defined classes, where the formal are "natural kinds" and the latter arbitrary collections of entities. + A denotator type indicates how a term should be interpreted from an ontological perspective. + Alan Ruttenberg + Barry Smith, Werner Ceusters + denotator type + + + universal + Hard to give a definition for. Intuitively a "natural kind" rather than a collection of any old things, which a class is able to be, formally. At the meta level, universals are defined as positives, are disjoint with their siblings, have single asserted parents. + Alan Ruttenberg + A Formal Theory of Substances, Qualities, and Universals, http://ontology.buffalo.edu/bfo/SQU.pdf + universal + + + is denotator type + Relates an class defined in an ontology, to the type of it's denotator + In OWL 2 add AnnotationPropertyRange('is denotator type' 'denotator type') + Alan Ruttenberg + is denotator type + + + defined class + A defined class is a class that is defined by a set of logically necessary and sufficient conditions but is not a universal + "definitions", in some readings, always are given by necessary and sufficient conditions. So one must be careful (and this is difficult sometimes) to distinguish between defined classes and universal. + Alan Ruttenberg + defined class + + + named class expression + A named class expression is a logical expression that is given a name. The name can be used in place of the expression. + named class expressions are used in order to have more concise logical definition but their extensions may not be interesting classes on their own. In languages such as OWL, with no provisions for macros, these show up as actuall classes. Tools may with to not show them as such, and to replace uses of the macros with their expansions + Alan Ruttenberg + named class expression + + + antisymmetric property + part_of antisymmetric property xsd:true + Use boolean value xsd:true to indicate that the property is an antisymmetric property + Alan Ruttenberg + antisymmetric property + + + has ID digit count + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to the number of digits in the URI. The URI is: the 'has ID prefix" annotation property value concatenated with an integer in the id range (left padded with "0"s to make this many digits) + Person:Alan Ruttenberg + has ID digit count + + + has ID range allocated + Datatype: idrange:1 +Annotations: 'has ID range allocated to': "Chris Mungall" +EquivalentTo: xsd:integer[> 2151 , <= 2300] + + Relates a datatype that encodes a range of integers to the name of the person or organization who can use those ids constructed in that range to define new terms + Person:Alan Ruttenberg + has ID range allocated to + + + has ID policy for + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relating an ontology used to record id policy to the ontology namespace whose policy it manages + Person:Alan Ruttenberg + has ID policy for + + + has ID prefix + Ontology: <http://purl.obolibrary.org/obo/ro/idrange/> + Annotations: + 'has ID prefix': "http://purl.obolibrary.org/obo/RO_" + 'has ID digit count' : 7, + rdfs:label "RO id policy" + 'has ID policy for': "RO" + Relates an ontology used to record id policy to a prefix concatenated with an integer in the id range (left padded with "0"s to make this many digits) to construct an ID for a term being created. + Person:Alan Ruttenberg + has ID prefix + + + has associated axiom(nl) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom associated with a term expressed using natural language + has associated axiom(nl) + + + has associated axiom(fol) + Person:Alan Ruttenberg + Person:Alan Ruttenberg + An axiom expressed in first order logic using CLIF syntax + has associated axiom(fol) + + + is allocated id range + Relates an ontology IRI to an (inclusive) range of IRIs in an OBO name space. The range is give as, e.g. "IAO_0020000-IAO_0020999" + PERSON:Alan Ruttenberg + Add as annotation triples in the granting ontology + is allocated id range + + + may be identical to + A annotation relationship between two terms in an ontology that may refer to the same (natural) type but where more evidence is required before terms are merged. + David Osumi-Sutherland + Edges asserting this should be annotated with to record evidence supporting the assertion and its provenance. + may be identical to + + + scheduled for obsoletion on or after + Used when the class or object is scheduled for obsoletion/deprecation on or after a particular date. + Chris Mungall, Jie Zheng + scheduled for obsoletion on or after + + + has axiom id + Person:Alan Ruttenberg + Person:Alan Ruttenberg + A URI that is intended to be unique label for an axiom used for tracking change to the ontology. For an axiom expressed in different languages, each expression is given the same URI + has axiom label + + + ontology module + I have placed this under 'data about an ontology part', but this can be discussed. I think this is OK if 'part' is interpreted reflexively, as an ontology module is the whole ontology rather than part of it. + ontology file + This class and it's subclasses are applied to OWL ontologies. Using an rdf:type triple will result in problems with OWL-DL. I propose that dcterms:type is instead used to connect an ontology URI with a class from this hierarchy. The class hierarchy is not disjoint, so multiple assertions can be made about a single ontology. + ontology module + + + base ontology module + An ontology module that comprises only of asserted axioms local to the ontology, excludes import directives, and excludes axioms or declarations from external ontologies. + base ontology module + + + + editors ontology module + An ontology module that is intended to be directly edited, typically managed in source control, and typically not intended for direct consumption by end-users. + source ontology module + editors ontology module + + + main release ontology module + An ontology module that is intended to be the primary release product and the one consumed by the majority of tools. + TODO: Add logical axioms that state that a main release ontology module is derived from (directly or indirectly) an editors module + main release ontology module + + + bridge ontology module + An ontology module that consists entirely of axioms that connect or bridge two distinct ontology modules. For example, the Uberon-to-ZFA bridge module. + bridge ontology module + + + + import ontology module + A subset ontology module that is intended to be imported from another ontology. + TODO: add axioms that indicate this is the output of a module extraction process. + import file + import ontology module + + + + subset ontology module + An ontology module that is extracted from a main ontology module and includes only a subset of entities or axioms. + ontology slim + subset ontology + subset ontology module + + + + + curation subset ontology module + A subset ontology that is intended as a whitelist for curators using the ontology. Such a subset will exclude classes that curators should not use for curation. + curation subset ontology module + + + analysis ontology module + An ontology module that is intended for usage in analysis or discovery applications. + analysis subset ontology module + + + single layer ontology module + A subset ontology that is largely comprised of a single layer or strata in an ontology class hierarchy. The purpose is typically for rolling up for visualization. The classes in the layer need not be disjoint. + ribbon subset + single layer subset ontology module + + + exclusion subset ontology module + A subset of an ontology that is intended to be excluded for some purpose. For example, a blacklist of classes. + antislim + exclusion subset ontology module + + + external import ontology module + An imported ontology module that is derived from an external ontology. Derivation methods include the OWLAPI SLME approach. + external import + external import ontology module + + + species subset ontology module + A subset ontology that is crafted to either include or exclude a taxonomic grouping of species. + taxon subset + species subset ontology module + + + + reasoned ontology module + An ontology module that contains axioms generated by a reasoner. The generated axioms are typically direct SubClassOf axioms, but other possibilities are available. + reasoned ontology module + + + + generated ontology module + An ontology module that is automatically generated, for example via a SPARQL query or via template and a CSV. + TODO: Add axioms (using PROV-O?) that indicate this is the output-of some reasoning process + generated ontology module + + + template generated ontology module + An ontology module that is automatically generated from a template specification and fillers for slots in that template. + template generated ontology module + + + + + + taxonomic bridge ontology module + taxonomic bridge ontology module + + + ontology module subsetted by expressivity + ontology module subsetted by expressivity + + + obo basic subset ontology module + A subset ontology that is designed for basic applications to continue to make certain simplifying assumptions; many of these simplifying assumptions were based on the initial version of the Gene Ontology, and have become enshrined in many popular and useful tools such as term enrichment tools. + +Examples of such assumptions include: traversing the ontology graph ignoring relationship types using a naive algorithm will not lead to cycles (i.e. the ontology is a DAG); every referenced term is declared in the ontology (i.e. there are no dangling clauses). + +An ontology is OBO Basic if and only if it has the following characteristics: +DAG +Unidirectional +No Dangling Clauses +Fully Asserted +Fully Labeled +No equivalence axioms +Singly labeled edges +No qualifier lists +No disjointness axioms +No owl-axioms header +No imports + obo basic subset ontology module + + + + ontology module subsetted by OWL profile + ontology module subsetted by OWL profile + + + EL++ ontology module + EL++ ontology module + + + The term was added to the ontology on the assumption it was in scope, but it turned out later that it was not. + This obsolesence reason should be used conservatively. Typical valid examples are: un-necessary grouping classes in disease ontologies, a phenotype term added on the assumption it was a disease. + + out of scope + + + This is an annotation used on an object property to indicate a logical characterstic beyond what is possible in OWL. + OBO Operations call + + logical characteristic of object property + + + CHEBI:26523 (reactive oxygen species) has an exact synonym (ROS), which is of type OMO:0003000 (abbreviation) + A synonym type for describing abbreviations or initalisms + + abbreviation + + + A synonym type for describing ambiguous synonyms + + ambiguous synonym + + + A synonym type for describing dubious synonyms + + dubious synonym + + + EFO:0006346 (severe cutaneous adverse reaction) has an exact synonym (scar), which is of the type OMO:0003003 (layperson synonym) + A synonym type for describing layperson or colloquial synonyms + + layperson synonym + + + CHEBI:23367 (molecular entity) has an exact synonym (molecular entities), which is of the type OMO:0003004 (plural form) + A synonym type for describing pluralization synonyms + + plural form + + + CHEBI:16189 (sulfate) has an exact synonym (sulphate), which is of the type OMO:0003005 (UK spelling synonym) + A synonym type for describing UK spelling variants + + UK spelling synonym + + + A synonym type for common misspellings + + misspelling + + + A synonym type for misnomers, i.e., a synonym that is not technically correct but is commonly used anyway + + misnomer + + + MAPT, the gene that encodes the Tau protein, has a previous name DDPAC. Note: in this case, the name type is more specifically the gene symbol. + A synonym type for names that have been used as primary labels in the past. + + previous name + + + The legal name for Harvard University (https://ror.org/03vek6s52) is President and Fellows of Harvard College + A synonym type for the legal entity name + + legal name + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + MF(X)-directly_regulates->MF(Y)-enabled_by->GP(Z) => MF(Y)-has_input->GP(Y) e.g. if 'protein kinase activity'(X) directly_regulates 'protein binding activity (Y)and this is enabled by GP(Z) then X has_input Z + infer input from direct reg + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + GP(X)-enables->MF(Y)-has_part->MF(Z) => GP(X) enables MF(Z), +e.g. if GP X enables ATPase coupled transporter activity' and 'ATPase coupled transporter activity' has_part 'ATPase activity' then GP(X) enables 'ATPase activity' + enabling an MF enables its parts + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + true + GP(X)-enables->MF(Y)-part_of->BP(Z) => GP(X) involved_in BP(Z) e.g. if X enables 'protein kinase activity' and Y 'part of' 'signal tranduction' then X involved in 'signal transduction' + involved in BP + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + If a molecular function (X) has a regulatory subfunction, then any gene product which is an input to that subfunction has an activity that directly_regulates X. Note: this is intended for cases where the regaultory subfunction is protein binding, so it could be tightened with an additional clause to specify this. + inferring direct reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct neg reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + inferring direct positive reg edge from input to regulatory subfunction + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + effector input is compound function input + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Input of effector is input of its parent MF + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly regulates X, its parent MF directly regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly positively regulates X, its parent MF directly positively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + if effector directly negatively regulates X, its parent MF directly negatively regulates X + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally downstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'causally upstream of' and 'overlaps' should be disjoint properties (a SWRL rule is required because these are non-simple properties). + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/tests/input/ro_unsat.properties b/tests/input/ro_unsat.properties new file mode 100644 index 0000000..aa1b6f6 --- /dev/null +++ b/tests/input/ro_unsat.properties @@ -0,0 +1,5 @@ +#Tue Jan 09 12:38:48 PST 2024 +jdbc.password= +jdbc.user= +jdbc.url= +jdbc.driver= diff --git a/tests/test_cli.py b/tests/test_cli.py new file mode 100644 index 0000000..d7f81be --- /dev/null +++ b/tests/test_cli.py @@ -0,0 +1,82 @@ +import pytest + +from rdf_expressionizer.cli import main +from tests.test_main import INPUT_DIR, OUTPUT_DIR + + +def test_help(runner): + """ + Tests help message + + :param runner: + :return: + """ + result = runner.invoke(main, ["--help"]) + assert result.exit_code == 0 + assert "replace" in result.output + result = runner.invoke(main, ["replace", "--help"]) + assert result.exit_code == 0 + + +DISPOSITION = "http://purl.obolibrary.org/obo/BFO_0000016" +X_DISPOSITION = "https://w3id.org/xbfo/0000016" +CONTINUANT = "http://purl.obolibrary.org/obo/BFO_0000002" +X_CONTINUANT = "https://w3id.org/xbfo/0000002" + + +@pytest.mark.parametrize("input_name,mappings_path,subset,expected,unexpected", [ + ("ro.owl", "bfo_xbfo_mappings", None, [X_CONTINUANT, X_DISPOSITION], [CONTINUANT, DISPOSITION]), + ("ro.owl", "bfo_xbfo_mappings", "COB", [X_CONTINUANT, DISPOSITION], [CONTINUANT, X_DISPOSITION], ), +]) +def test_cli_replace(runner, input_name, mappings_path, subset, expected, unexpected): + """ + Tests repair command + + :param runner: + :return: + """ + input_file = INPUT_DIR / input_name + output_file = OUTPUT_DIR / "xro-cli.owl" + OUTPUT_DIR.mkdir(exist_ok=True, parents=True) + args = ["replace", "-m", mappings_path, str(input_file), "-o", str(output_file)] + if subset: + args.extend(["-x", subset]) + result = runner.invoke(main, args) + if result.exit_code != 0: + print(f"OUTPUT: {result.output}") + assert result.exit_code == 0 + # test file contents + for expected_str in expected: + with open(output_file) as stream: + assert expected_str in stream.read() + for unexpected_str in unexpected: + with open(output_file) as stream: + assert unexpected_str not in stream.read() + + +@pytest.mark.parametrize("input_name,mappings_path,subset,expected,unexpected", [ + ("cob.owl", "bfo_xbfo_mappings", None, [DISPOSITION, X_DISPOSITION], [CONTINUANT]), +]) +def test_cli_augment(runner, input_name, mappings_path, subset, expected, unexpected): + """ + Tests augment command + + :param runner: + :return: + """ + input_file = INPUT_DIR / input_name + output_file = OUTPUT_DIR / "xcob-cli.owl" + OUTPUT_DIR.mkdir(exist_ok=True, parents=True) + args = ["augment", "-m", mappings_path, str(input_file), "-o", str(output_file)] + result = runner.invoke(main, args) + if result.exit_code != 0: + print(f"OUTPUT: {result.output}") + assert result.exit_code == 0 + # test file contents + for expected_str in expected: + with open(output_file) as stream: + assert expected_str in stream.read() + for unexpected_str in unexpected: + with open(output_file) as stream: + assert unexpected_str not in stream.read() + diff --git a/tests/test_main.py b/tests/test_main.py new file mode 100644 index 0000000..83e63d4 --- /dev/null +++ b/tests/test_main.py @@ -0,0 +1,158 @@ +from pathlib import Path +from typing import Any + +import pytest +from pyoxigraph import NamedNode, Triple, BlankNode + +from rdf_expressionizer.main import expressionify_triples, SUBCLASS_OF, RDF_TYPE, OWL_ON_PROPERTY, \ + OWL_SOME_VALUES_FROM, OWL_RESTRICTION, file_replace, load_replacement_map +from rdf_expressionizer.mappings import BFO_MAPPINGS + +THIS_DIR = Path(__file__).parent +INPUT_DIR = THIS_DIR / "input" +OUTPUT_DIR = THIS_DIR / "output" + +EX = "http://example.com/" + +C1 = f"{EX}c1" +C2 = f"{EX}c2" +D1 = f"{EX}d1" +D2 = f"{EX}d2" +MIXIN_P = f"{EX}mixin_p" +BNODE1 = BlankNode() +BNODE2 = BlankNode() + + +def triple(s: Any, p: Any, o: Any) -> Triple: + """ + Create a triple + :param s: + :param p: + :param o: + :return: + """ + if isinstance(s, str): + s = NamedNode(s) + if isinstance(p, str): + p = NamedNode(p) + if isinstance(o, str): + o = NamedNode(o) + return Triple(s, p, o) + + +def triple_with_blank_conflated(triple: Triple) -> Triple: + """ + Create a triple minus blank node + :param triple: + :return: + """ + def conflate_blank(node: Any) -> Any: + if isinstance(node, BlankNode): + return NamedNode("http://example.com/FAKE_BLANK") + return node + return Triple(*[conflate_blank(node) for node in triple]) + +@pytest.mark.parametrize("name,triples,replacement_map,expected", [ + ( + "gci", + [triple(C1, SUBCLASS_OF, C2)], + {C1: (MIXIN_P, D1), + C2: (MIXIN_P, D2)}, + [triple(BNODE1, SUBCLASS_OF, BNODE2), + triple(BNODE1, RDF_TYPE, OWL_RESTRICTION), + triple(BNODE1, OWL_ON_PROPERTY, MIXIN_P), + triple(BNODE1, OWL_SOME_VALUES_FROM, D1), + triple(BNODE2, RDF_TYPE, OWL_RESTRICTION), + triple(BNODE2, OWL_ON_PROPERTY, MIXIN_P), + triple(BNODE2, OWL_SOME_VALUES_FROM, D2), + ], + ), + ( + "named_class", + [triple(C1, SUBCLASS_OF, C2)], + { + C2: (MIXIN_P, D2)}, + [triple(C1, SUBCLASS_OF, BNODE2), + triple(BNODE2, RDF_TYPE, OWL_RESTRICTION), + triple(BNODE2, OWL_ON_PROPERTY, MIXIN_P), + triple(BNODE2, OWL_SOME_VALUES_FROM, D2), + ], + ), + ( + "none", + [triple(C1, SUBCLASS_OF, C2)], + {}, + [triple(C1, SUBCLASS_OF, C2) + ], + ), +]) +def test_replacement(name, triples, replacement_map, expected): + """ + Test replacement + :param triples: + :param replacement_map: + :return: + """ + replacement_map = {NamedNode(k): (NamedNode(v[0]), NamedNode(v[1])) for k, v in replacement_map.items()} + results = list(expressionify_triples(triples, replacement_map)) + for result in results: + print(result) + found = False + if result in expected: + expected.remove(result) + found = True + else: + for e in expected: + if triple_with_blank_conflated(e) == triple_with_blank_conflated(result): + expected.remove(e) + found = True + break + assert found, f"Could not find {result} in {expected}" + assert len(expected) == 0, f"Did not find {expected}" + + +@pytest.mark.parametrize("subset,expected_size", [ + (None, 35), + ("COB", 26), +]) +def test_load_replacement_map(subset, expected_size): + """ + Test loading a replacement map + :return: + """ + rmap = load_replacement_map(BFO_MAPPINGS, exclude_subsets=[subset] if subset else None) + print(subset) + print(rmap) + assert len(rmap) == expected_size + +@pytest.mark.parametrize("input_name,mappings_path,replace,subset", [ + ("ro.owl", BFO_MAPPINGS, True, None), + ("ro_unsat.owl", BFO_MAPPINGS, True, None), + ("bfo.owl", BFO_MAPPINGS, True, None), + ("cob.owl", BFO_MAPPINGS, True, None), + ("cob.owl", BFO_MAPPINGS, True, "COB"), + ("cob.owl", BFO_MAPPINGS, False, None), + ("cob.owl", BFO_MAPPINGS, False, "COB"), +]) +def test_file_replacement(input_name, mappings_path: str, replace, subset): + """ + Test replacement on a file + + TODO: Add checks so this is not TestByGuru + """ + if subset: + subsets = [subset] + if replace: + replacement_map = load_replacement_map(mappings_path, exclude_subsets=subsets) + else: + replacement_map = load_replacement_map(mappings_path, include_subsets=subsets) + else: + replacement_map = load_replacement_map(mappings_path) + print(input_name, len(replacement_map)) + OUTPUT_DIR.mkdir(exist_ok=True, parents=True) + outname = f"x{input_name}" + if not replace: + outname = f"e{input_name}" + if subset: + outname = f"subset_{subset}_{outname}" + file_replace(INPUT_DIR / input_name, replacement_map, replace=replace, output_path=OUTPUT_DIR / outname) diff --git a/tox.ini b/tox.ini new file mode 100644 index 0000000..218bf34 --- /dev/null +++ b/tox.ini @@ -0,0 +1,86 @@ +# Tox (http://tox.testrun.org/) is a tool for running tests +# in multiple virtualenvs. This configuration file will run the +# test suite on all supported python versions. To use it, "pip install tox" +# and then run "tox" from this directory. + +[tox] +# To use a PEP 517 build-backend you are required to configure tox to use an isolated_build: +# https://tox.readthedocs.io/en/latest/example/package.html +isolated_build = True +skipsdist = True + +envlist = + # always keep coverage-clean first + coverage-clean + lint-fix + lint + codespell-write + docstr-coverage + py + +[testenv] +allowlist_externals = + poetry +commands = + poetry run pytest {posargs} +description = Run unit tests with pytest. This is a special environment that does not get a name, and + can be referenced with "py". + +[testenv:coverage-clean] +deps = coverage +skip_install = true +commands = coverage erase + +# This is used during development +[testenv:lint-fix] +deps = + black + ruff +skip_install = true +commands = + black src/ tests/ + ruff --fix src/ tests/ +description = Run linters. + +# This is used for QC checks. +[testenv:lint] +deps = + black + ruff +skip_install = true +commands = + black --check --diff src/ tests/ + ruff check src/ tests/ +description = Run linters. + +[testenv:doclint] +deps = + rstfmt +skip_install = true +commands = + rstfmt docs/source/ +description = Run documentation linters. + +[testenv:codespell] +description = Run spell checker. +skip_install = true +deps = + codespell + tomli # required for getting config from pyproject.toml +commands = codespell src/ tests/ + +[testenv:codespell-write] +description = Run spell checker and write corrections. +skip_install = true +deps = + codespell + tomli +commands = codespell src/ tests/ --write-changes + +[testenv:docstr-coverage] +skip_install = true +deps = + docstr-coverage +commands = + docstr-coverage src/ tests/ --skip-private --skip-magic +description = Run the docstr-coverage tool to check documentation coverage